blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 3 281 | content_id stringlengths 40 40 | detected_licenses listlengths 0 57 | license_type stringclasses 2
values | repo_name stringlengths 6 116 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 313
values | visit_date timestamp[us] | revision_date timestamp[us] | committer_date timestamp[us] | github_id int64 18.2k 668M ⌀ | star_events_count int64 0 102k | fork_events_count int64 0 38.2k | gha_license_id stringclasses 17
values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 107
values | src_encoding stringclasses 20
values | language stringclasses 1
value | is_vendor bool 2
classes | is_generated bool 2
classes | length_bytes int64 4 6.02M | extension stringclasses 78
values | content stringlengths 2 6.02M | authors listlengths 1 1 | author stringlengths 0 175 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
353341742650e33650a24188a9f964dda920da83 | f8350972794e657bac7a168a4a8551b730e38f3a | /Equation _Solver/equation_solver.py | 4f2d00f11b140ca1cdfcb43cae5e3f8a77e4f00a | [] | no_license | golderswajan/AI | 28018889654aa6c3676d4fcc96da67d2b5058704 | daf92ba05b24cba4b8a1921a5e4324bdf2c01f1a | refs/heads/master | 2020-03-23T16:27:53.554131 | 2018-10-19T16:58:46 | 2018-10-19T16:58:46 | 141,810,958 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,013 | py | """ a + 2b + 3c + 4d = 30 solving """
from chromosome import Chromosome
from equation_solver_utilities import crossover, mutation
population_size = 20
population = list()
crossover_rate = 7
for i in range(population_size):
population.append(Chromosome())
population.sort(key=lambda z: z.fitness)
children = list()
for i in range(100):
for j in range(crossover_rate):
first_child, second_child = crossover(population[j], population[j + 1])
children.append(first_child)
children.append(second_child)
children.sort(key=lambda z: z.fitness)
for j in range(crossover_rate, population_size):
population[j] = mutation(population[j])
population.sort(key=lambda z: z.fitness)
for j in range(crossover_rate):
population[population_size - 1 - j] = children[j]
population.sort(key=lambda z: z.fitness)
print('generation->', (i+1), 'best chromosome->', population[0])
if population[0].fitness == 0:
print('Solution Found')
break
| [
"swajan.cse.ku@gmail.com"
] | swajan.cse.ku@gmail.com |
d90d8c4d55fa975845f063c0b983fcb398f116ee | 05345351ed1499a7214a9b956706e50e80b53c47 | /app.py | 391a1259fac030a6b271a70a75d44c804cf947a2 | [] | no_license | Akashkumar201/Todo | 774772529c0a6869913e6d4f4e5068e55a1504f9 | 36536a3b6fd6b56f44f2ca3073bfc3da46e71f8b | refs/heads/master | 2023-03-31T06:42:33.813845 | 2021-04-11T16:12:49 | 2021-04-11T16:12:49 | 355,594,610 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,084 | py |
from flask import Flask,render_template,request,redirect
from flask_sqlalchemy import SQLAlchemy
app=Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI']='sqlite:///posts.db'
db=SQLAlchemy(app)
class BlogPost(db.Model):
id = db.Column(db.Integer, primary_key=True)
title = db.Column(db.String(100), nullable=False)
def __repr__(self):
return 'Blog Post'+str(self.id)
all_posts=[]
@app.route('/')
def index():
return render_template('index.html')
@app.route('/posts',methods=['GET','POST'])
def post():
if request.method=='POST':
post_title=request.form['title']
new_post=BlogPost(title=post_title)
db.session.add(new_post)
db.session.commit()
return redirect('/posts')
else:
all_posts=BlogPost.query.all()
return render_template('base.html',posts=all_posts)
@app.route('/posts/delete/<int:id>')
def delete(id):
post=BlogPost.query.get_or_404(id)
db.session.delete(post)
db.session.commit()
return redirect('/posts')
if __name__=="__main__":
app.run(debug=True) | [
"akashrajput2012001@gmail.com"
] | akashrajput2012001@gmail.com |
91014ed747b111c188db983ad268b42d74393a35 | b0345d792d9ca10709692f909c3a4036c68090f2 | /lesson2/Lesson2_homework/task5.py | ee18ae2455f09ff209792293e5c5d0492a3c4d8c | [] | no_license | Neodim5/GeekPython | 28329d3837bb1f92b930894e3fd70907d66a90de | 0f29b69a2a3523e426101ea08920bdf354954ff8 | refs/heads/master | 2023-02-22T13:35:00.367220 | 2021-01-25T16:07:39 | 2021-01-25T16:07:39 | 323,557,244 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,726 | py | __author__ = 'Neklyudov Dmitry'
'''
Реализовать структуру «Рейтинг», представляющую собой не возрастающий набор
натуральных чисел. У пользователя необходимо запрашивать новый элемент рейтинга.
Если в рейтинге существуют элементы с одинаковыми значениями, то новый элемент с тем же
значением должен разместиться после них.
Подсказка. Например, набор натуральных чисел: 7, 5, 3, 3, 2.
Пользователь ввел число 3. Результат: 7, 5, 3, 3, 3, 2.
Пользователь ввел число 8. Результат: 8, 7, 5, 3, 3, 2.
Пользователь ввел число 1. Результат: 7, 5, 3, 3, 2, 1.
Набор натуральных чисел можно задать непосредственно в коде, например,
my_list = [7, 5, 3, 3, 2].
'''
raiting = [7, 5, 3, 3, 2]
while True:
item = input('Пожалуйста введите число: ')
if not item.isdigit():
print("Введены некорректные данные. Попробуйте снова")
continue
else:
item = int(item)
i = None
for i, num in enumerate(raiting):
if item > num:
i = i
break
if i is None:
raiting.append(item)
else:
raiting.insert(i, item)
print(raiting)
q = input('Формирование списка завершено? (y/N)) ')
if q.lower() == 'y':
break
| [
"neodim5@gmail.com"
] | neodim5@gmail.com |
599937fa40c65fa0ae81139afe9b7b2a0fc43b02 | e563782da517dc14a040b73c17fb90731fc7defe | /kaolin/render/__init__.py | 88e3ef3741b8b1f3d32ae584dec446cfe2b87551 | [
"Apache-2.0"
] | permissive | Alan-love/kaolin | c203f3742afc2a86db22ad869132bec802430e55 | 3482a9d4b9ddb899776702c5a82f29dc157baecb | refs/heads/master | 2023-08-03T12:33:43.263339 | 2023-08-01T14:40:41 | 2023-08-01T14:40:41 | 223,372,484 | 0 | 0 | Apache-2.0 | 2023-09-11T23:54:41 | 2019-11-22T09:46:10 | Python | UTF-8 | Python | false | false | 81 | py | from . import camera
from . import lighting
from . import mesh
from . import spc
| [
"noreply@github.com"
] | noreply@github.com |
233ad6379183648285b533d82dfc4da333fbcf94 | 1b2a1f807b98034567e936b9b5c76c2fc89b908a | /adj_tf/models/marian/tokenization_marian.py | 2eec924e0878443bd77b620a91f78c0f333ee2ec | [] | no_license | Adreambottle/Transformer2GP | 48c955d8eb155caef4c24a3c03ee3aa9ab0bd3da | 5ba1a5005c2ad21066304cdeb1d7c2587c8191da | refs/heads/main | 2023-07-07T14:17:51.673437 | 2021-08-17T14:14:56 | 2021-08-17T14:14:56 | 397,279,894 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 10,967 | py | # Copyright 2020 The HuggingFace Team. 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.
import json
import re
import warnings
from contextlib import contextmanager
from pathlib import Path
from shutil import copyfile
from typing import Dict, List, Optional, Tuple, Union
import sentencepiece
from ...tokenization_utils import PreTrainedTokenizer
vocab_files_names = {
"source_spm": "source.spm",
"target_spm": "target.spm",
"vocab": "vocab.json",
"tokenizer_config_file": "tokenizer_config.json",
}
PRETRAINED_VOCAB_FILES_MAP = {
"source_spm": {"Helsinki-NLP/opus-mt-en-de": "https://cdn.huggingface.co/Helsinki-NLP/opus-mt-en-de/source.spm"},
"target_spm": {"Helsinki-NLP/opus-mt-en-de": "https://cdn.huggingface.co/Helsinki-NLP/opus-mt-en-de/target.spm"},
"vocab": {"Helsinki-NLP/opus-mt-en-de": "https://cdn.huggingface.co/Helsinki-NLP/opus-mt-en-de/vocab.json"},
"tokenizer_config_file": {
"Helsinki-NLP/opus-mt-en-de": "https://cdn.huggingface.co/Helsinki-NLP/opus-mt-en-de/tokenizer_config.json"
},
}
PRETRAINED_POSITIONAL_EMBEDDINGS_SIZES = {"Helsinki-NLP/opus-mt-en-de": 512}
PRETRAINED_INIT_CONFIGURATION = {}
# Example URL https://huggingface.co/Helsinki-NLP/opus-mt-en-de/resolve/main/vocab.json
class MarianTokenizer(PreTrainedTokenizer):
r"""
Construct a Marian tokenizer. Based on `SentencePiece <https://github.com/google/sentencepiece>`__.
This tokenizer inherits from :class:`~transformers.PreTrainedTokenizer` which contains most of the main methods.
Users should refer to this superclass for more information regarding those methods.
Args:
source_spm (:obj:`str`):
`SentencePiece <https://github.com/google/sentencepiece>`__ file (generally has a .spm extension) that
contains the vocabulary for the source language.
target_spm (:obj:`str`):
`SentencePiece <https://github.com/google/sentencepiece>`__ file (generally has a .spm extension) that
contains the vocabulary for the target language.
source_lang (:obj:`str`, `optional`):
A string representing the source language.
target_lang (:obj:`str`, `optional`):
A string representing the target language.
unk_token (:obj:`str`, `optional`, defaults to :obj:`"<unk>"`):
The unknown token. A token that is not in the vocabulary cannot be converted to an ID and is set to be this
token instead.
eos_token (:obj:`str`, `optional`, defaults to :obj:`"</s>"`):
The end of sequence token.
pad_token (:obj:`str`, `optional`, defaults to :obj:`"<pad>"`):
The token used for padding, for example when batching sequences of different lengths.
model_max_length (:obj:`int`, `optional`, defaults to 512):
The maximum sentence length the model accepts.
additional_special_tokens (:obj:`List[str]`, `optional`, defaults to :obj:`["<eop>", "<eod>"]`):
Additional special tokens used by the tokenizer.
Examples::
>>> from adj_tf import MarianTokenizer
>>> tok = MarianTokenizer.from_pretrained('Helsinki-NLP/opus-mt-en-de')
>>> src_texts = [ "I am a small frog.", "Tom asked his teacher for advice."]
>>> tgt_texts = ["Ich bin ein kleiner Frosch.", "Tom bat seinen Lehrer um Rat."] # optional
>>> batch_enc = tok.prepare_seq2seq_batch(src_texts, tgt_texts=tgt_texts, return_tensors="pt")
>>> # keys [input_ids, attention_mask, labels].
>>> # model(**batch) should work
"""
vocab_files_names = vocab_files_names
pretrained_vocab_files_map = PRETRAINED_VOCAB_FILES_MAP
pretrained_init_configuration = PRETRAINED_INIT_CONFIGURATION
max_model_input_sizes = PRETRAINED_POSITIONAL_EMBEDDINGS_SIZES
model_input_names = ["input_ids", "attention_mask"]
language_code_re = re.compile(">>.+<<") # type: re.Pattern
def __init__(
self,
vocab,
source_spm,
target_spm,
source_lang=None,
target_lang=None,
unk_token="<unk>",
eos_token="</s>",
pad_token="<pad>",
model_max_length=512,
**kwargs
):
super().__init__(
# bos_token=bos_token, unused. Start decoding with config.decoder_start_token_id
source_lang=source_lang,
target_lang=target_lang,
unk_token=unk_token,
eos_token=eos_token,
pad_token=pad_token,
model_max_length=model_max_length,
**kwargs,
)
assert Path(source_spm).exists(), f"cannot find spm source {source_spm}"
self.encoder = load_json(vocab)
if self.unk_token not in self.encoder:
raise KeyError("<unk> token must be in vocab")
assert self.pad_token in self.encoder
self.decoder = {v: k for k, v in self.encoder.items()}
self.source_lang = source_lang
self.target_lang = target_lang
self.supported_language_codes: list = [k for k in self.encoder if k.startswith(">>") and k.endswith("<<")]
self.spm_files = [source_spm, target_spm]
# load SentencePiece model for pre-processing
self.spm_source = load_spm(source_spm)
self.spm_target = load_spm(target_spm)
self.current_spm = self.spm_source
# Multilingual target side: default to using first supported language code.
self._setup_normalizer()
def _setup_normalizer(self):
try:
from sacremoses import MosesPunctNormalizer
self.punc_normalizer = MosesPunctNormalizer(self.source_lang).normalize
except (ImportError, FileNotFoundError):
warnings.warn("Recommended: pip install sacremoses.")
self.punc_normalizer = lambda x: x
def normalize(self, x: str) -> str:
"""Cover moses empty string edge case. They return empty list for '' input!"""
return self.punc_normalizer(x) if x else ""
def _convert_token_to_id(self, token):
return self.encoder.get(token, self.encoder[self.unk_token])
def remove_language_code(self, text: str):
"""Remove language codes like <<fr>> before sentencepiece"""
match = self.language_code_re.match(text)
code: list = [match.group(0)] if match else []
return code, self.language_code_re.sub("", text)
def _tokenize(self, text: str) -> List[str]:
code, text = self.remove_language_code(text)
pieces = self.current_spm.EncodeAsPieces(text)
return code + pieces
def _convert_id_to_token(self, index: int) -> str:
"""Converts an index (integer) in a token (str) using the encoder."""
return self.decoder.get(index, self.unk_token)
def convert_tokens_to_string(self, tokens: List[str]) -> str:
"""Uses target language sentencepiece model"""
return self.spm_target.DecodePieces(tokens)
def build_inputs_with_special_tokens(self, token_ids_0, token_ids_1=None) -> List[int]:
"""Build model inputs from a sequence by appending eos_token_id."""
if token_ids_1 is None:
return token_ids_0 + [self.eos_token_id]
# We don't expect to process pairs, but leave the pair logic for API consistency
return token_ids_0 + token_ids_1 + [self.eos_token_id]
@contextmanager
def as_target_tokenizer(self):
"""
Temporarily sets the tokenizer for encoding the targets. Useful for tokenizer associated to
sequence-to-sequence models that need a slightly different processing for the labels.
"""
self.current_spm = self.spm_target
yield
self.current_spm = self.spm_source
@property
def vocab_size(self) -> int:
return len(self.encoder)
def save_vocabulary(self, save_directory: str, filename_prefix: Optional[str] = None) -> Tuple[str]:
save_dir = Path(save_directory)
assert save_dir.is_dir(), f"{save_directory} should be a directory"
save_json(
self.encoder,
save_dir / ((filename_prefix + "-" if filename_prefix else "") + self.vocab_files_names["vocab"]),
)
for orig, f in zip(["source.spm", "target.spm"], self.spm_files):
dest_path = save_dir / ((filename_prefix + "-" if filename_prefix else "") + Path(f).name)
if not dest_path.exists():
copyfile(f, save_dir / orig)
return tuple(
save_dir / ((filename_prefix + "-" if filename_prefix else "") + f) for f in self.vocab_files_names
)
def get_vocab(self) -> Dict:
vocab = self.encoder.copy()
vocab.update(self.added_tokens_encoder)
return vocab
def __getstate__(self) -> Dict:
state = self.__dict__.copy()
state.update({k: None for k in ["spm_source", "spm_target", "current_spm", "punc_normalizer"]})
return state
def __setstate__(self, d: Dict) -> None:
self.__dict__ = d
self.spm_source, self.spm_target = (load_spm(f) for f in self.spm_files)
self.current_spm = self.spm_source
self._setup_normalizer()
def num_special_tokens_to_add(self, **unused):
"""Just EOS"""
return 1
def _special_token_mask(self, seq):
all_special_ids = set(self.all_special_ids) # call it once instead of inside list comp
all_special_ids.remove(self.unk_token_id) # <unk> is only sometimes special
return [1 if x in all_special_ids else 0 for x in seq]
def get_special_tokens_mask(
self, token_ids_0: List, token_ids_1: Optional[List] = None, already_has_special_tokens: bool = False
) -> List[int]:
"""Get list where entries are [1] if a token is [eos] or [pad] else 0."""
if already_has_special_tokens:
return self._special_token_mask(token_ids_0)
elif token_ids_1 is None:
return self._special_token_mask(token_ids_0) + [1]
else:
return self._special_token_mask(token_ids_0 + token_ids_1) + [1]
def load_spm(path: str) -> sentencepiece.SentencePieceProcessor:
spm = sentencepiece.SentencePieceProcessor()
spm.Load(path)
return spm
def save_json(data, path: str) -> None:
with open(path, "w") as f:
json.dump(data, f, indent=2)
def load_json(path: str) -> Union[Dict, List]:
with open(path, "r") as f:
return json.load(f)
| [
"adreambottle@outlook.com"
] | adreambottle@outlook.com |
b17912c96c47e0e0cee8c94326e8c7e8fabbef10 | ef1236eef2f89525bb1a1b2305ef27ffb3bdadb6 | /Fluent Python/1.2.py | 48b84502d75b5abe572f021ee911b02150edbcba | [
"MIT"
] | permissive | adlerliu/Python | 8e3bce6c4a146630f2a76423e779e2c9bd022d86 | 537862a046a5da733e170dd295a053c74520896b | refs/heads/master | 2021-06-24T15:11:57.718305 | 2019-05-28T13:24:35 | 2019-05-28T13:24:35 | 186,112,492 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,033 | py | # -*- encoding=utf8 -*-
# 一个简单的二维向量类
from math import hypot
class Vector:
def __init__(self, x=0, y=0):
self.x = x
self.y = y
# def __repr__(self):
# # return 'Vector(%r, %r)' %(self.x, self.y)
def __repr__(self):
return '{}{:>2}{:>2}'.format('Vector', self.x, self.y)
def __abs__(self):
return hypot(self.x, self.y)
def __bool__(self):
return bool(abs(self))
def __add__(self, other):
x = self.x + other.x
y = self.y + other.y
return Vector(x, y)
def __matmul__(self, scalar):
return Vector(self.x * scalar,self.y*scalar)
# 它能把一个对象用字符串的形式表现出来
test = Vector()
print(test)
# test #如果注释 __repr__() 方法, 显示 <__main__.Vector at 0x7f587c4c1320>
# __repr__() 能把一个对象用字符串的方式表达出来,这就是字符串表示形式。它的返回应该尽量精确的与表达出创建它的对象,
# 与 __str__() 比较, __str__() 是由 str() 函数调用,并可以让 print() 函数使用。并且它返回的字符串应该对终端用户更友好。
# 如果你只想实现这两个方法的其中一个,好的选择是 __repr__(),因为一个对象没有 __str__() 函数,python 又要调用它的时候,
# 解释器会使用 __repr__() 来代替。
print(str(test))
# + 和 * 分别调用的是 __add__ 和 __mul__ 注意这里我们没有修改 self.x, self.y,
# 而是返回了一个新的实例,这是中缀表达式的基本原则,不改变操作对象
v1 = Vector(2, 4)
v2 = Vector(2, 1)
print(v1+v2)
def __bool__(self):
return bool(abs(self))
# 优化写法
# 如果想要 Vector.__bool__ 更高效,可以采用这种实现
#def __bool__(self):
# return bool(self.x or self.y)
# 把返回值显式转成 bool 格式是为了符合 __bool__() 对返回值的规定,
# 因为 or 运算符可能返回 x 或 y 本身的值,如果 x 为真,
# 返回的是 x 值,y 为真,返回的是 y 的值 | [
"67781193@qq.com"
] | 67781193@qq.com |
ab4dcf34fe4914b63261defa4993b178507e5ff9 | b8ed2c589ccc3bbdd2d610c6ecf0133a5dec3da6 | /mysite/mysite/mysite/urls.py | da179484bde35d39cda8996bb4e6235a440d73c2 | [] | no_license | Ramandeep14/DjangoApp | e84ae4fba19d4abb64d60102a6a0aaf50078c148 | 88079cf401a53722a3b437ebddda03983677e2f9 | refs/heads/master | 2020-03-22T08:17:50.786731 | 2018-07-05T06:02:07 | 2018-07-05T06:02:07 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 849 | py | """mysite URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/2.0/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: path('', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: path('', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.urls import include, path
2. Add a URL to urlpatterns: path('blog/', include('blog.urls'))
"""
from django.contrib import admin
from django.conf.urls import url, include
urlpatterns = [
url(r'^$/', include('polls.urls')),
url(r'^admin/', admin.site.urls),
url(r'^polls/', include('polls.urls')),
]
| [
"hpramandeepkaur97@gmail.com"
] | hpramandeepkaur97@gmail.com |
ccd125b08bc23dbf227c939e8d8552e52cb80690 | 8dce07baa37ce3fa3fdc43c3189eb09c98694744 | /tools/socket_cli.py | cdc343264fb3760729f690a4bcfea62bdb9c3344 | [] | no_license | heyudeLeer/meal_recognize2.0 | 3ba588f2a4116a1ecef2a56fa1b9da54be73dbcc | d7683f7fc3e7d315e007f52782ce8f44e2232b8b | refs/heads/master | 2022-07-05T20:04:15.441068 | 2020-05-20T05:55:31 | 2020-05-20T05:55:31 | 262,257,165 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 986 | py | #!/usr/bin/env python
# -*- coding=utf-8 -*-
"""
file: client.py
socket client
"""
import socket
import sys
def socket_client():
try:
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect(('127.0.0.1', 6699)) # 54.223.39.84
except socket.error as msg:
print msg
sys.exit(1)
print s.recv(1024)
while 1:
data = raw_input('please input work: ')
s.send(data)
print s.recv(1024)
if data == 'exit':
break
s.close()
def send(data=None):
try:
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect(('54.223.39.84', 6699)) # 54.223.39.84
except socket.error as msg:
print msg
sys.exit(1)
#print s.recv(1024)
s.send(data)
output = s.recv(1024)
s.close()
if len(output) == 1:
return (0,output)
else:
return (1,output)
if __name__ == '__main__':
#socket_client()
send(data='ls -l xx') | [
"heyude@meican.com"
] | heyude@meican.com |
e37863aa100fbef7a9b30af4bc3fe66cb1ff868c | a2063e46148c181d101cabf3065c061a6d955635 | /getConfig.py | 532944fa038034aaffd02ed32d62128acb1440b4 | [] | no_license | akashperfect/data-analysis | 810437428591d523d6d3972c34081990fd5012db | b377032aad673e56d41cd74212341c364f4d54e8 | refs/heads/master | 2021-01-20T17:54:22.610397 | 2016-06-15T04:23:50 | 2016-06-15T04:23:50 | 60,927,689 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,285 | py | import ConfigParser
config = ConfigParser.RawConfigParser()
config.read('configuration.cfg')
def addPath(fileName):
global path
return path + fileName
conf = dict()
title = conf['title'] = config.get('General', 'title')
conf['path'] = config.get('Data', 'input_dir')
path = conf['path'] + "/"
conf['train_data'] = addPath(config.get('Data', 'train'))
conf['test_data'] = addPath(config.get('Data', 'test'))
conf['train_data_sf'] = addPath(config.get('Data', 'train_data_sf'))
conf['test_data_sf'] = addPath(config.get('Data', 'test_data_sf'))
conf['mapk'] = config.get('Analysis', 'mapk')
conf['output'] = addPath(config.get('Output', 'filename'))
algos_set = config.get('Algorithms', 'algos').split(',')
conf['algo_set'] = algos_set
conf['analysisPy'] = addPath(config.get('Analysis', 'pyFile'))
conf['OutputPy'] = addPath(config.get('Output', 'pyFile'))
for algo in algos_set:
conf['algoFile'] = config.get('Algorithms', 'algoFile')
conf[algo] = {'target': config.get('Analysis', 'target_' + algo),
'prediction': config.get('Analysis', 'prediction_' + algo),
'model': addPath(config.get('Algorithms', algo + "_model")) }
conf['KNN']['steps'] = config.get('Algorithms', 'knn_steps')
conf['KNN']['file_max_records'] = config.get('Algorithms', 'file_max_records')
| [
"akashperfect@gmail.com"
] | akashperfect@gmail.com |
e5f5a5e085338f47c28771ade869b1f529aaed68 | 3040765082954669f7b198d7c1ec3527b05a7d33 | /enet/run_training.py | d56b9c72f099e1009a2478722daf768d3f7d8b53 | [] | no_license | niksaz/aido2 | aa59c64b8af9c8a50d7fd986242a5eba22cd8411 | e5f34744b9fb952c70c8c475f393910bae3df17c | refs/heads/master | 2020-05-09T22:47:01.898497 | 2019-06-20T18:21:51 | 2019-06-20T18:21:51 | 181,482,129 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,580 | py | # Author: Mikita Sazanovich
import argparse
import subprocess
import os
import pathlib
import numpy as np
def run_cmd(cmd):
ps = subprocess.Popen(cmd, shell=True)
ps.wait()
def compile_training_cmd_string(logs_dir: pathlib.Path, data_dir: pathlib.Path, seed) -> str:
sub_logs_dir = logs_dir / f'{data_dir.name}-{seed}'
cmd = f'python -m enet.train --logs_dir {sub_logs_dir} --data_dir {data_dir} --seed {seed}'
return cmd
def parse_args() -> argparse.Namespace:
parser = argparse.ArgumentParser()
parser.add_argument('--logs_dir', type=str, help='The directory to write logs to', default='logs')
parser.add_argument('--datasets_dir', type=str, help='The directory where the datasets to run on are stored',
default='/data/sazanovich/aido2/')
parser.add_argument('--seeds', type=int, help='The number of seeds to use for each dataset', default=1)
return parser.parse_args()
def main():
args = parse_args()
logs_dir = pathlib.Path(args.logs_dir).absolute()
datasets_dir = pathlib.Path(args.datasets_dir).absolute()
seeds = args.seeds
os.makedirs(str(logs_dir), exist_ok=True)
for filepath in datasets_dir.glob('*'):
if 'distscapes' not in filepath.name:
continue
np.random.seed(27)
seed_values = np.random.random_integers(0, 2*10**9, seeds)
for seed in seed_values:
cmd = compile_training_cmd_string(logs_dir, data_dir=filepath, seed=seed)
print(cmd)
run_cmd(cmd)
if __name__ == '__main__':
main()
| [
"nikitasazanovich@gmail.com"
] | nikitasazanovich@gmail.com |
27c6cbd26d97d62b5704692b21d267f3400adee2 | 791cb00da15b832a004dbe238e94685224cb62e3 | /aver-speed.py | afa5d7a49736351ee7180eaf53c826b38c2cf7dc | [] | no_license | Janesdb/clusting | de9d117699c89b9821080d9a3dd5361b9676673a | a9cead0df3d87dc3103ff9adc6263a01dccf771d | refs/heads/master | 2021-07-25T18:34:02.145245 | 2017-11-08T03:46:12 | 2017-11-08T03:46:12 | 109,921,936 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,346 | py | #2017.05 zhujian
#filter out the speed of all nodes from the log file,
#compute the average speed,then write it in .txt file
import numpy as np
import re
def filter_out_Node(lineInfo):
w1="Node"
w2=" Epoch"
start = lineInfo.find(w1)
start += len(w1)
end = lineInfo.find(w2)
return lineInfo[start:end].strip('[]')
def filter_out_speed(lineInfo):
w1="Speed: "
w2="samples"
start = lineInfo.find(w1)
if start >= 0:
start += len(w1)
end = lineInfo.find(w2 ,start)
if end >= 0:
#print lineInfo[start:end].strip()
return filter_out_Node(lineInfo),lineInfo[start:end].strip()
else:
return False,False
else:
return False,False
def main():
ob = open("data_speed.log")
data=[]
node="0"
for line in ob.readlines():
nodeNum,speed = filter_out_speed(line)
if nodeNum!=False:
if node.find(nodeNum) ==-1:
node=node+str(nodeNum)
data.append([int(nodeNum),float(speed)])
#print len(node),len(data)
data.sort()
#print data
n=0
f = open("asp_imagenet_resnet34.txt",'w')
for i in range(1,len(data)):
if data[i][0]!= data[i-1][0]:#|data[i+1][0]==False:
speed = np.mean(data[n:i],axis=0)
f.write(str(speed[:][1])+"\n")
#f.write(str(np.mean(data[n:i],axis=0))+"\n")
n=i
speed = np.mean(data[n:i],axis=0)
f.write(str(speed[:][1])+"\n")
ob.close()
f.close()
if __name__=="__main__":
main()
| [
"janezhu_hnu@163.com"
] | janezhu_hnu@163.com |
cbc9ba5d51136e5f1a4c7adfb746bb7552addf8f | ac5663ea8561477d97957c7d851e05bf0d9afa2f | /venv/bin/imageio_remove_bin | 10f07862eb3150684ab7988eec2d14293789986b | [
"Apache-2.0"
] | permissive | xiayufeilucy/deloitte-digital-competition | 5a8cd46eb2874dfd5eccd2ba4fd702a7002b2c4f | af4fc18cbf713c9c7f0e3ec175ef50b6ef211d6c | refs/heads/master | 2022-12-10T20:51:46.191386 | 2019-07-31T13:56:16 | 2019-07-31T13:56:16 | 199,681,877 | 0 | 1 | null | 2022-11-29T21:36:18 | 2019-07-30T15:44:54 | Python | UTF-8 | Python | false | false | 460 | #!/Users/xiayufeilucy/Desktop/deloitte-digital-competition/venv/bin/python
# EASY-INSTALL-ENTRY-SCRIPT: 'imageio==2.4.1','console_scripts','imageio_remove_bin'
__requires__ = 'imageio==2.4.1'
import re
import sys
from pkg_resources import load_entry_point
if __name__ == '__main__':
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
sys.exit(
load_entry_point('imageio==2.4.1', 'console_scripts', 'imageio_remove_bin')()
)
| [
"yufeix@wharton.upenn.edu"
] | yufeix@wharton.upenn.edu | |
e57885bbc006d387b504028594fb9b71f8332cf2 | 3a1d2989630cae4d399d6f97517d9aff9ecf69ab | /myweb/myweb/urls.py | 9ac9179bccc1a276d2b0cda4ead145505149ac67 | [] | no_license | dacaiguoguo/Intest | 4dcb5e0f8ea1a6ca4907a8513108a2965bab4176 | 4636ebf25c0ebff8d3e6a8d1ab9e5421fe88d0c6 | refs/heads/master | 2021-01-22T05:47:14.215661 | 2017-05-26T09:33:24 | 2017-05-26T09:33:24 | 92,495,338 | 0 | 0 | null | 2017-05-26T09:32:57 | 2017-05-26T09:32:57 | null | UTF-8 | Python | false | false | 1,795 | py | # -*- coding: utf-8 -*-
"""myweb URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/1.9/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: url(r'^$', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: url(r'^$', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.conf.urls import url, include
2. Add a URL to urlpatterns: url(r'^blog/', include('blog.urls'))
"""
import django
from django.conf.urls import url, include
from django.contrib import admin
from django.views.generic.base import RedirectView
from wiki.urls import get_pattern as get_wiki_pattern
from django_nyt.urls import get_pattern as get_nyt_pattern
from django.contrib.staticfiles.urls import staticfiles_urlpatterns
from django.conf import settings
urlpatterns = [
url(r'^$', RedirectView.as_view(url=r"/tyblog/index/")),
url(r'^admin/', admin.site.urls),
url(r'^intest/', include('intest.urls')),
url(r'^fz/', include('fz.urls')),
url(r'^tyblog/', include('tyblog.urls')),
url(r'^cobra/', include('cobra.urls')),
url(r'^accounts/login/', RedirectView.as_view(url=r'/tyblog/login')),
url(r'^favicon.ico$',RedirectView.as_view(url=r'static/favicon.ico')),
url(r'^logout/$', RedirectView.as_view(url=r"/tyblog/logout/")),
url(r'^YPFC/', include('YPFC.urls')),
url(r'^auto/', include('automation.urls')),
url(r'^wiki/notifications/', get_nyt_pattern()),
url(r'^wiki/', get_wiki_pattern()),
url(r'^media/(?P<path>.*)$',django.views.static.serve,{'document_root': settings.MEDIA_ROOT,}),
]
| [
"305820049@qq.com"
] | 305820049@qq.com |
ca5e236b2ff13baf3cb3c09311e14ddb4f2d2ebc | acc7c2c25c7944955672b4d8d53a8101355afd48 | /Proyecto_Chule/VayaPajaro/views.py | 847117b827273e75c4fc1277e5d0dd1ecf8dd0f4 | [] | no_license | JosemiOuterelo/IAW | 115dc10537e034edb8f85a3c040ae6b3c36a8046 | 14c2e9d75a8f397aa8cc1b4acbb649e5d5e5457c | refs/heads/master | 2020-03-30T13:21:48.284772 | 2019-03-05T16:23:28 | 2019-03-05T16:23:28 | 149,439,458 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 12,742 | py | # -*- coding: utf-8 -*-
from __future__ import unicode_literals
from django.shortcuts import render
from django.urls import reverse
from django.http import Http404,HttpResponseRedirect,HttpResponse,StreamingHttpResponse
from django.contrib.auth import login,logout,authenticate
from django.contrib.auth.mixins import UserPassesTestMixin
from django.contrib.auth.mixins import LoginRequiredMixin
from django.contrib.auth.decorators import login_required,user_passes_test
from django.views.generic.edit import UpdateView,DeleteView
from django.views.generic.list import ListView
from django.views.generic.detail import DetailView
import datetime
from django.contrib.auth.models import User
from VayaPajaro.models import *
from VayaPajaro.forms import *
from VayaPajaro.serializers import *
from rest_framework import generics
from rest_framework.authentication import SessionAuthentication, BasicAuthentication
from rest_framework.permissions import IsAuthenticated
# Guacamole
from django.shortcuts import render_to_response
from django.template import RequestContext
from django.views.decorators.csrf import csrf_exempt,requires_csrf_token
from VayaPajaro import client
import logging
import uuid
import threading
# Create your views here.
# Registro e Iniciar/Cerrar sesion
def registrarse(request):
if request.method == 'POST':
form = RegistrarseForm(request.POST,request.FILES)
if form.is_valid():
user = form.save()
user.is_staff = False
user.refresh_from_db()
user.usuario.fnacimiento = form.cleaned_data.get('fnacimiento')
user.usuario.estudios = form.cleaned_data.get('estudios')
user.usuario.fotoPerfil = form.cleaned_data.get('fotoPerfil')
user.save()
password = form.cleaned_data.get('password1')
user = authenticate(username=user.username,password=password)
login(request,user)
return HttpResponseRedirect('/')
else:
form = RegistrarseForm()
return render(request,'VayaPajaro/Registrarse.html',{'form':form})
def iniciarsesion(request):
if request.method == 'POST':
form = IniciarSesion(request.POST)
if form.is_valid():
username = form.cleaned_data.get('username')
password = form.cleaned_data.get('password')
user = authenticate(request,username=username,password=password)
if user is not None:
login(request,user)
return HttpResponseRedirect('/')
else:
return HttpResponse("¡Usuario incorrecto!")
else:
form = IniciarSesion()
return render(request,'VayaPajaro/Login.html',{'form':form})
def iniciarsesionadmin(request):
if request.method == 'POST':
form = IniciarSesion(request.POST)
if form.is_valid():
username = form.cleaned_data.get('username')
password = form.cleaned_data.get('password')
user = authenticate(request,username=username,password=password)
if user is not None:
if user.is_staff == True:
login(request,user)
return HttpResponseRedirect('/')
else:
return HttpResponse("El usuario debe ser administrador.")
else:
return HttpResponse("¡Usuario incorrecto!")
else:
form = IniciarSesion()
return render(request,'VayaPajaro/Loginadmin.html',{'form':form})
def cerrarsesion(request):
logout(request)
return HttpResponseRedirect('/')
# Usuarios
class MostrarUsuarios(UserPassesTestMixin,ListView):
model = Usuario
login_url='/usuario/loginadmin/'
fields = '__all__'
template_name = 'VayaPajaro/Mostrar_Usuarios.html'
def get_context_data(self, **kwargs):
context = super(MostrarUsuarios,self).get_context_data(**kwargs)
return context
def test_func(self):
return self.request.user.is_staff == True
class ModificarUsuarios(UserPassesTestMixin,UpdateView):
model = Usuario
login_url='/usuario/loginadmin/'
fields = '__all__'
template_name = 'VayaPajaro/Modificar_Usuarios.html'
success_url = '/usuario/mostrar_usuarios/'
def test_func(self):
return self.request.user.is_staff == True
class EliminarUsuario(UserPassesTestMixin,DeleteView):
model = User
login_url='/usuario/loginadmin/'
template_name = 'VayaPajaro/Eliminar_Usuario.html'
success_url = 'http://127.0.0.1:8000/'
def test_func(self):
return self.request.user.is_staff == True
def delete(self, request, *args, **kwargs):
self.object = self.get_object()
self.object.usuario.fotoPerfil.delete()
self.object.delete()
return HttpResponseRedirect(self.get_success_url())
# Aves, Articulos y Fotos
@login_required(login_url='/usuario/login/')
def crearAve(request):
if request.method == 'POST':
form1 = CrearAveForm(request.POST,request.FILES)
formset = crearfotoformset(request.POST,request.FILES)
if form1.is_valid() and formset.is_valid():
articulo = Articulo()
ave = Ave()
usuario = Usuario.objects.get(user=request.user)
articulo.usuario = usuario
ave.nombre = form1.cleaned_data.get('nombre')
ave.descripcion = form1.cleaned_data.get('descripcion')
ave.alimentacion = form1.cleaned_data.get('alimentacion')
ave.habitat = form1.cleaned_data.get('habitat')
ave.localizacion = form1.cleaned_data.get('habitat')
ave.save()
for f in formset.cleaned_data:
if len(f)>0:
foto = Foto()
foto.imagen = f.get('imagen')
foto.usuario = usuario
foto.save()
ave.fotos.add(foto)
ave.save()
articulo.ave = ave
articulo.fcreacion = datetime.datetime.now()
articulo.save()
return HttpResponseRedirect('/ave/mostrar_aves/')
else:
form1 = CrearAveForm()
formset = crearfotoformset()
return render(request,'VayaPajaro/CrearAve.html',{'ave':form1,'Imagenes':formset})
class MostrarAves(LoginRequiredMixin,ListView):
model = Ave
fields = '__all__'
login_url = '/usuario/login/'
template_name = 'VayaPajaro/Mostrar_Aves.html'
def get_context_data(self, **kwargs):
context = super(MostrarAves,self).get_context_data(**kwargs)
mostrar = Ave.objects.all().order_by('nombre')
context['mostrar'] = mostrar
return context
@login_required(login_url='/usuario/login/')
def mostrarave(request,nombre):
ave = Ave.objects.get(nombre=nombre.replace('_',' '))
if ave:
return render(request,'VayaPajaro/Mostrar_ave.html',{'Ave':ave})
else:
return HttpResponseRedirect('No existe ave.')
class ModificarAves(LoginRequiredMixin,UpdateView):
model = Ave
login_url='/usuario/login/'
fields = ['nombre','descripcion','alimentacion','habitat','localizacion']
template_name = 'VayaPajaro/Modificar_Aves.html'
success_url = '/ave/mostrar_aves/'
class EliminarAve(UserPassesTestMixin,DeleteView):
model = Ave
login_url='usuario/loginadmin/'
template_name = 'VayaPajaro/Eliminar_Ave.html'
success_url = '/ave/mostrar_aves/'
def test_func(self):
return self.request.user.is_staff == True
def delete(self, request, *args, **kwargs):
self.object = self.get_object()
for imagenes in self.object.fotos.all():
imagenes.imagen.delete()
self.object.fotos.clear()
self.object.delete()
return HttpResponseRedirect(self.get_success_url())
class MostrarArticulos(LoginRequiredMixin,ListView):
model = Articulo
fields = '__all__'
login_url = '/usuario/login/'
template_name = 'VayaPajaro/Mostrar_Articulos.html'
def get_context_data(self, **kwargs):
context = super(MostrarArticulos,self).get_context_data(**kwargs)
return context
@login_required(login_url='/usuario/login/')
def crearFoto(request,nombre):
if request.method == 'POST':
form = CrearFotoForm(request.POST,request.FILES)
if form.is_valid():
ave = Ave.objects.get(nombre=nombre.replace('_',' '))
usuario = Usuario.objects.get(user=request.user)
imagen = Foto()
imagen.imagen = form.cleaned_data.get('imagen')
imagen.usuario = usuario
imagen.save()
ave.fotos.add(imagen)
return HttpResponseRedirect('/ave/mostrar_ave/%s/' % ave.nombre.replace(' ','_'))
else:
form = CrearFotoForm()
return render(request,'VayaPajaro/CrearFoto.html',{'fotos':form})
def administrador(user):
return user.is_staff
@login_required(login_url='/usuario/login/')
def eliminarFoto(request,pk):
if request.method == 'POST':
foto = Foto.objects.get(pk=pk)
ave = foto.ave_set.all()
nombre= ave[0].nombre
foto.imagen.delete()
foto.delete()
return HttpResponseRedirect('/ave/mostrar_ave/%s/' % nombre.replace(' ','_'))
return render(request,'VayaPajaro/Eliminar_Foto.html')
#REST API
class SerMostrar_Usuarios(generics.ListCreateAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Usuario.objects.all()
serializer_class = UsuarioSerializer
class SerMostrar_Aves(generics.ListCreateAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Ave.objects.all()
serializer_class = AveSerializer
class SerMostrar_Articulos(generics.ListCreateAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Articulo.objects.all()
serializer_class = ArticuloSerializer
class SerMostrar_Fotos(generics.ListCreateAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Foto.objects.all()
serializer_class = FotoSerializer
class SerMostrar_Usuario(generics.RetrieveUpdateDestroyAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Usuario.objects.all()
serializer_class = UsuarioSerializer
class SerMostrar_Ave(generics.RetrieveUpdateDestroyAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Ave.objects.all()
serializer_class = AveSerializer
class SerMostrar_Articulo(generics.RetrieveUpdateDestroyAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Articulo.objects.all()
serializer_class = ArticuloSerializer
class SerMostrar_Foto(generics.RetrieveUpdateDestroyAPIView):
authentication_classes = (SessionAuthentication, BasicAuthentication)
permission_classes = (IsAuthenticated,)
queryset = Foto.objects.all()
serializer_class = FotoSerializer
# GUACAMOLE
logger = logging.getLogger(__name__)
sockets = {}
sockets_lock = threading.RLock()
read_lock = threading.RLock()
write_lock = threading.RLock()
pending_read_request = threading.Event()
#@csrf_exempt
#@requires_csrf_token
def index(request):
return render(request,'Guacamole.html')
# return render_to_response('Guacamole.html',{},context_instance=RequestContext(request))
@csrf_exempt
def tunnel(request):
qs = request.META['QUERY_STRING']
logger.info('tunnel %s', qs)
if qs == 'connect':
return _do_connect(request)
else:
tokens = qs.split(':')
if len(tokens) >= 2:
if tokens[0] == 'read':
return _do_read(request, tokens[1])
elif tokens[0] == 'write':
return _do_write(request, tokens[1])
return HttpResponse(status=400)
def _do_connect(request):
# Connect to guacd daemon
guac = client.GuacamoleClient()
guac.connect(protocol='ssh',hostname='192.168.100.1',port=22,username='chule',password='beticanos')
# guac.connect(protocol='vnc',hostname='192.168.100.1',port=5900,password='chule')
cache_key = str(uuid.uuid4())
with sockets_lock:
logger.info('Saving socket with key %s', cache_key)
sockets[cache_key] = guac
response = HttpResponse(content=cache_key)
response['Cache-Control'] = 'no-cache'
return response
def _do_read(request, cache_key):
pending_read_request.set()
def content():
with sockets_lock:
guac = sockets[cache_key]
with read_lock:
pending_read_request.clear()
while True:
content = guac.read()
if content:
yield content
else:
break
if pending_read_request.is_set():
logger.info('Letting another request take over.')
break
# End-of-instruction marker
yield '0.;'
response = StreamingHttpResponse(content(),content_type='application/octet-stream')
response['Cache-Control'] = 'no-cache'
return response
def _do_write(request, cache_key):
with sockets_lock:
guac = sockets[cache_key]
with write_lock:
while True:
chunk = request.read(8192)
if chunk:
guac.write(chunk)
else:
break
response = HttpResponse(content_type='application/octet-stream')
response['Cache-Control'] = 'no-cache'
return response
| [
"josemiou94@gmail.com"
] | josemiou94@gmail.com |
47d4d8a9a4e609e7be8e4bb9d1b66f1d06c84782 | a1778ef8a1aaac5a6cb61a7c418afdf089d4ccb4 | /NLGDL.py | 2234f7b462018bb50c09068a82fafe223b8473a2 | [] | no_license | JasonXYJing/The-source-code-of-Group-based-distance-learning | 5a76246d5e07ea293ca59d56a07173e320f81d14 | 7f966ded3510743c5adad183e3e6ea4386ae0937 | refs/heads/master | 2022-11-11T23:42:53.806805 | 2020-07-06T13:18:57 | 2020-07-06T13:18:57 | 277,460,861 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 6,688 | py | import random
import math
import numpy as np
from numpy import *
import operator
import matplotlib.pyplot as plt
from sklearn.neighbors import NearestNeighbors
from collections import Counter
from metric_learn.constraints import Constraints
import torch
from torch import Tensor
import networkx as nx
import time
import fcm
from sklearn import metrics
import collections
class NLGDL():
def __init__(self, data_set):
self.data_set = data_set
self.num_hidden_neurons = 200
self.graph_neighbors = 5
self.num_neighbors = 3
self.learning_rate = 0.2
self.max_iter_num = 300
def find_K_Neighbors(self, data_point):
neigh = NearestNeighbors()
neigh.fit(self.data_set)
K_Neighbors = neigh.kneighbors(data_point, self.num_neighbors+1, return_distance=False)
return K_Neighbors
def find_group(self, data_point, index_k_neighbors, cannot_link):
my_neighbors = []
for i in index_k_neighbors[0]:
if (data_point, self.data_set[i]) not in cannot_link:
my_neighbors.append(self.data_set[i])
else:
continue
total_distance = 0
for nei in my_neighbors:
total_distance += pow(np.linalg.norm(list(map(operator.sub, data_point[0], nei))), 2)
group_radius = total_distance / (len(index_k_neighbors[0]) - 1)
group = []
for neii in my_neighbors:
if pow(np.linalg.norm(list(map(operator.sub, data_point[0], neii))), 2) <= group_radius:
group.append(neii)
return group
def calculate_group_hd(self, link_pair, cannot_link):
# data_point must be inputted as [[·]]
group_index_a = self.find_K_Neighbors([link_pair[0]])
group_index_b = self.find_K_Neighbors([link_pair[1]])
a_group = self.find_group([link_pair[0]], group_index_a, cannot_link)
b_group = self.find_group([link_pair[1]], group_index_b, cannot_link)
return a_group, b_group
def generate_graph(self, must_index, cannot_index):
neigh = NearestNeighbors(n_neighbors=self.graph_neighbors)
neigh.fit(self.data_set)
A = neigh.kneighbors_graph(self.data_set, mode='connectivity')
a_matrix = A.toarray()
alist = []
for item in a_matrix:
alist.append(np.where(item == 1)[0] + 1)
G = nx.make_small_graph(["adjacencylist", "C_4", len(self.data_set), alist])
for meach in must_index:
G.add_edge(meach[0], meach[1], weight=0.00001)
for ceach in cannot_index:
G.add_edge(ceach[0], ceach[1], weight=0.00001)
b = nx.betweenness_centrality(G)
return b
def calculate_new_HD(self, set_a, set_b, model):
a = []
a_index = []
for item_a in set_a:
a2b = []
x = torch.tensor([item_a]).float()
for item_b in set_b:
y = torch.tensor([item_b]).float()
output1, output2 = model(x), model(y)
dis = (output1 - output2).norm().pow(2)
a2b.append(dis)
a.append(min(a2b))
a_index.append([item_a, set_b[a2b.index(min(a2b))]])
a2b_max = max(a)
a2b_index = a_index[a.index(a2b_max)]
b = []
b_index = []
for item_b in set_b:
b2a = []
x = torch.tensor([item_b]).float()
for item_a in set_a:
y = torch.tensor([item_a]).float()
output1, output2 = model(x), model(y)
dis = (output1 - output2).norm().pow(2)
b2a.append(dis)
b.append(min(b2a))
b_index.append([item_b, set_a[b2a.index(min(b2a))]])
b2a_max = max(b)
b2a_index = b_index[b.index(b2a_max)]
if a2b_max > b2a_max:
return a2b_max, a2b_index
else:
return b2a_max, b2a_index
def train(self, must_link_set, cannot_link_set, must_index, cannot_index, data_dim, betweenness):
last_loss = 0
must_group = []
cannot_group = []
D_in = D_out = data_dim
for must_pair in must_link_set:
group_ma, group_mb = self.calculate_group_hd(must_pair, cannot_link_set)
must_group.append([group_ma, group_mb])
for cannot_pair in cannot_link_set:
group_ca, group_cb = self.calculate_group_hd(cannot_pair, cannot_link_set)
cannot_group.append([group_ca, group_cb])
model = torch.nn.Sequential(
torch.nn.Linear(D_in, self.num_hidden_neurons),
torch.nn.ReLU(),
torch.nn.Linear(self.num_hidden_neurons, D_out),
)
optimizer = torch.optim.Adam(model.parameters(), lr=self.learning_rate)
iter_num = 0
while iter_num <= self.max_iter_num:
m_total = 0
c_total = 0
m_index = 0
c_index = 0
for must_pair in must_group:
new_hd, m_data_pair = self.calculate_new_HD(must_pair[0], must_pair[1], model)
mweights = betweenness[must_index[m_index][0]] + betweenness[must_index[m_index][1]]
mx, my = torch.tensor([m_data_pair[0]]).float(), torch.tensor([m_data_pair[1]]).float()
moutput1, moutput2 = model(mx), model(my)
dis = (moutput1 - moutput2).norm().pow(2) * mweights
m_total += dis
m_index += 1
for cannot_pair in cannot_group:
new_chd, c_data_pair = self.calculate_new_HD(cannot_pair[0], cannot_pair[1], model)
cweights = betweenness[cannot_index[c_index][0]] + betweenness[cannot_index[c_index][1]]
cx, cy = torch.tensor([c_data_pair[0]]).float(), torch.tensor([c_data_pair[1]]).float()
coutput1, coutput2 = model(cx), model(cy)
diss = (coutput1 - coutput2).norm().pow(2)
disss = max(6 - diss, torch.tensor(0).float()) * cweights
c_total += disss
c_index += 1
m_size = 1 / len(must_link_set)
c_size = 1 / len(cannot_link_set)
current_loss = m_size * m_total + c_size * c_total
if abs(current_loss - last_loss) <= 0.00001:
break
else:
optimizer.zero_grad()
current_loss.backward()
optimizer.step()
last_loss = current_loss
iter_num += 1
return model
| [
"noreply@github.com"
] | noreply@github.com |
141610639ab02a33a6d7701dde1e20f5fad5bece | 6e0dd0995c37e6b052080c885885af081ffb827a | /ex20/ex20.py | 38305468dfa4a1f10885ec1781cf5798d37e2d98 | [] | no_license | fargofremling/learnypythonthehardway | 9fe978b3ca967491c8a696282564891802f90366 | 2a76183fa6f8f955b1d197ba7d820413257a0d08 | refs/heads/master | 2021-01-17T07:43:21.282407 | 2016-07-27T06:51:05 | 2016-07-27T06:51:05 | 29,374,957 | 4 | 1 | null | null | null | null | UTF-8 | Python | false | false | 4,956 | py | # Chapter 20 Exercise
# Imports a Python feature set called argv, which is the argument variable. This variable holds the arguments passed to the Python script when ran.
from sys import argv
# "Unpacks" argv so that rather than holding all the arguments, it gets assigned to the specific number of variables being used, in this case two, script & input_file.
script, input_file = argv
# Using the word def creates the function and is followed by the function's name, in this case print_all. It also establishes one variable for the function, which in this case is a file "f".
def print_all(f):
# Prints what is read from the variable file "f".
print f.read()
# Using the word def creates the function and is followed by the function's name, in this case rewind. It also establishes one variable for the function, which in this case is a file "f".
def rewind(f):
# Seeks what is sought on line 0 from the variable file "f".
f.seek(0)
# Using the word def creates the function and is followed by the function's name. It also establishes two variables for the function, in this case line_coutn and "f", which is a file.
def print_a_line(line_count, f):
#Prints the variable line_count and reads/prints the line from the file.
print line_count, f.readline()
# Sets the variable current_file to opening the input_file, which for this example is test.txt.
current_file = open(input_file)
# Prints the string in quotes
print "First let's print the whole file:\n"
# Calls the function print_all, which then prints the contents of the input_file, which in this example is test.txt.
print_all(current_file)
# Prints the string in quotes
print "Now let's rewind, kind of like a tape."
# Calls the function rewind, which seeks to line 0 in the input_file, which in this example is test.txt.
rewind(current_file)
# Prints the string in quotes
print "Let's print three lines:"
# Assigns the variable current_line to 1.
current_line = 1
# Calls the function print_a_line, which then prints the number of the current active line of the input_file and the contents of that line, which in this example is test.txt. current_line = 1
print_a_line(current_line, current_file)
# Increments the variable current_line to 1 + 1, which is 2. Changed this from current_line = current_line + 1 to the shorthand notation using +=.
current_line += 1
# Calls the function print_a_line, which then prints the number of the current active line of the input_file and the contents of that line, which in this example is test.txt. current_line = 2
print_a_line(current_line, current_file)
# Increments the variable current_line to 2 + 1, which is 3. Changed this from current_line = current_line + 1 to the shorthand notation using +=.
current_line += 1
# Call the function print_a_line, which then prints the number of the current active line of the input_file, which in this example is test.txt. current_line = 3
print_a_line(current_line, current_file)
# Chapter 20 Study Drills
# 1. Write English comments for each line to understand what that line does.
# Done. See above.
# 2. Each time print_a_line is run, you are passing in a variable current_line. Write out what current_line is equal to on each function call, and trace how it becomes line_count in print_a_line.
# See above, lines 48, 52 and 56.
# When the function print_a_line is called on lines 49, 53 and 57, the function requires two variables of input in order to run. The first variable defined in the function is line_count, and it is satisfied by the variable current_line, since it is passed when the function is called. Therefore, when the function print_a_line is called on lines 49, 53, and 57, the program ends up printing the variable current_line.
# 3. Find each place a function is used, and check its def to make sure that you are giving it the right arguments.
# The function print_all is called on line 35. It requires one variable of a file, which when it is called, it receives current_file. This is the right argument.
# The function rewind is called on line 41. It requires one variable of a file, which when it is called, it receives current_file. This is the right argument.
# The function print_a_line is called on lines 49, 53 and 57. It requires two variable, which it receives each time, current_line and current_file).
# 4. Research online what the seek function for file does. Try pydoc file and see if you can figure it out from there.
# A seek() operation moves that pointer to some other part of the file so it can be read or written to at that place.
# 5. Research the shorthand notation += and rewrite the script to use += instead.
# The += creates an augmented assignement statement. Basically it would be a simplified version of the code rewritten on lines 41 and 45 (see above). It is important to note that the when this occurs, rather than creating a new object and assigning that to the target, the old object is modified instead. | [
"alicia.fremling@gmail.com"
] | alicia.fremling@gmail.com |
6d00fe5a1897d38b38e75686b9f721e7d3b4fd16 | fc778e05df051a0773d80f867b1c84542b0a4b24 | /lab/lab06/tests/q114.py | aaa2d192866854e477170552bc1f816f32a05d9d | [] | no_license | yukgu/data-6 | d873e7231058b01365b278edc7ded4afade05b55 | e96c0d864f58b7041dfb0820d3e469927eac97b0 | refs/heads/master | 2022-11-28T18:48:17.515825 | 2020-08-12T22:55:48 | 2020-08-12T22:55:48 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 582 | py | test = {
"name": "Question 1.1.4.",
"points": 1,
"hidden": False,
"suites": [
{
"cases": [
{
"code": r"""
>>> import numpy as np
>>> np.isclose(berkeley_avg_in_thousands, 782.37)
True
""",
"hidden": False,
"locked": False,
},
],
"scored": True,
"setup": "",
"teardown": "",
"type": "doctest"
},
]
} | [
"42158157+castroian@users.noreply.github.com"
] | 42158157+castroian@users.noreply.github.com |
8095aa96ff73f5387f1a9beb1127d03254ba2633 | c33016a7f14abf283e6ec9cb0a186b3522e1421c | /stoch/decrypt.py | a82fee3ddc66d3bf3afb105d6fb77af5802a33c2 | [] | no_license | RJN-2B/exp-math-project | ada8eba9e247d73b75bfa2b5e68ce7666bc4d2f4 | 247cbf574aa1435f03552a040692d571ead56c1d | refs/heads/master | 2022-04-18T08:28:38.549349 | 2020-04-17T22:32:35 | 2020-04-17T22:32:35 | 256,623,037 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 109 | py | import pandas as pd
print("hello world")
df = pd.read_csv('AustenCount.txt', sep=" ", header=None)
df.head() | [
"rnguyen3@tulane.edu"
] | rnguyen3@tulane.edu |
f694835fd18a2a6858ae187f6bde604cf4859caa | 8aadbc6b60008af739fe34cee984c6603f8e8fd4 | /com/ctp/interface_pyctp.py | 0f5f825734370cf9c5da47cad41ce974aabd2cd7 | [] | no_license | lbrein/stock | 1ea4100fdddb26960c330682cde19648fff0c561 | 3c5383fe7f01c1beb11474f3f0d0d92428468b46 | refs/heads/master | 2020-06-22T13:52:39.634085 | 2019-07-19T07:34:15 | 2019-07-19T07:34:15 | 197,725,098 | 1 | 1 | null | null | null | null | UTF-8 | Python | false | false | 23,625 | py | # -*- coding: utf-8 -*-
"""
"""
from com.base.public import config_ini, public, logger, public_basePath
import PyCTP
from com.ctp.order_trader import Order, OrderTrader
from com.object.obj_entity import future_baseInfo
from com.data.interface_Rice import interface_Rice, rq
import re
import time, datetime
import copy
import uuid
import numpy as np
"""
--- 过程操作类,与uid 绑定
"""
import PyCTP
class ProcessMap(object):
modelParamMap = {
"paird2": [['widthTimesPeriod', 'widthline', 'scaleDiff2', 'scaleDiff'], [3, 0.03, 0.5, 0.1]],
"single_15": [['widthTimesPeriod', 'widthline', 'scaleDiff2', 'scaleDiff'], [3, 0.03, 0.5, 0.1]],
"dema5": [['widthTimesPeriod', 'superline', 'turnline'], [3, 3.25, 2.0]],
"dema6": [['widthTimesPeriod', 'powline', 'turnline'], [3, 0.25, 2.0]],
"zhao": [['widthTimesPeriod'], [3]],
"zhao55": [['widthTimesPeriod'], [3]],
"fellow": [['bullLine', 'atrLine'], [3.5, 2]]
}
def __init__(self):
self.map = {}
self.currentUid = None
self.codes = [] # 代码
self.period = 0 # 布林带窗口大小
self.scale = 0 # 标准差倍数
self.kline = 0 # K线类型
self.widthline = 0.05
self.scaleDiff2 = 0.5
# 过程变量
self.atr = 0
self.powm = 0
def new(self, uid):
self.currentUid = uid
self.map[uid] = {
"isOpen": 0, # 策略状态 1-买多 -1 -买空 0-平
"batchid": '',
"status": 0, # 进程状态
"preNode": None, # 之前的节点
"mCodes": None,
"ctpCodes": None,
"interval": 0
}
@property
def isOpen(self):
return self.map[self.currentUid]['isOpen']
@isOpen.setter
def isOpen(self, value):
self.map[self.currentUid]['isOpen'] = value
@property
def status(self):
return self.map[self.currentUid]['status']
@status.setter
def status(self, value):
self.map[self.currentUid]['status'] = value
@property
def preNode(self):
return self.map[self.currentUid]['preNode']
@preNode.setter
def preNode(self, value):
self.map[self.currentUid]['preNode'] = value
@property
def batchid(self):
return self.map[self.currentUid]['batchid']
@batchid.setter
def batchid(self, value):
self.map[self.currentUid]['batchid'] = value
def get(self, name, uid=None):
if uid is None: uid = self.currentUid
if not uid in self.map.keys(): self.new(uid)
return self.map[uid][name] if name in self.map[uid] else None
# 设置record状态
def setStatus(self, docs, status):
for d in docs:
d['status'] = status
def set(self, name, value, uid=None):
if uid is None: uid = self.currentUid
if uid not in self.map.keys(): self.new(uid)
self.map[uid][name] = value
def setModelParam(self, map, modelname, num):
if modelname in self.modelParamMap:
params, defaults = self.modelParamMap[modelname][0], self.modelParamMap[modelname][1]
for i in range(0, len(params)):
j = num + 3 + i
try:
self.__setattr__(params[i], float(map[j]) if map[j].find('.') > -1 else int(map[j]))
except:
self.__setattr__(params[i], defaults[i])
def setUid(self, map, num=2, params=None):
""" 设置Uid """
uid = '_'.join([str(n) for n in map]) # uid
self.currentUid = uid
self.codes = map[0:num] # 代码
if params is None:
params = ['period', 'scale', 'kline'] # 布林带窗口大小, 标准差倍数, K线类型
for i in range(len(params)):
self.__setattr__(params[i], float(map[num + i]) if map[num + i].find('.') > -1 else int(map[num + i]))
# 不同模型设置参数
modelName = uid[uid.find('quick_') + 6:] if uid.find('quick_') > -1 else uid.split("_")[-1]
self.setModelParam(map, modelName, num)
return uid
def setIni(self, uid, docs, status=0):
""" 初始化节点 """
if not uid in self.map.keys(): self.new(uid)
self.map[uid]['isOpen'] = docs[0]['mode']
self.map[uid]['batchid'] = docs[0]['batchid']
self.map[uid]['preNode'] = docs
self.map[uid]['status'] = status
return [d['code'] for d in docs]
class BaseInfo(object):
# code类,实现code,mainCode和ctp-Code互换,同时读取baseInfo数据
def __init__(self, codes=[], Rice=None):
self.Instruments = [self.parseCode(c) for c in codes]
self.InstrumentMap = {}
self.Rice = Rice if Rice else interface_Rice()
self.config()
cs = self.Instruments
self.nightEnd = self.att(cs[-1], 'nightEnd') # 收盘时间
self.mainCodes = [self.att(c, 'mCode') for c in cs] # 所有主力合约
self.ctpCodes = [self.att(c, 'ctp') for c in cs] # 所有ctpCode
def config(self):
# baseConfig信息
Base = future_baseInfo()
tmp = []
for doc in Base.getInfo(self.Instruments):
self.InstrumentMap[doc['code']] = doc
tmp.append(doc['code'])
# 空所有
if len(self.Instruments) == 0:
self.Instruments = tmp
# 根据code返回主力code,同时生成ctp-code map
for m in self.Rice.getMain(self.Instruments):
c = self.parseCode(m)
self.InstrumentMap[c]['mCode'] = m
self.InstrumentMap[c]['ctp'] = self.parseCtpCode(m)
@property
def map(self):
return self.InstrumentMap
def att(self, code, name):
c = self.parseCode(code)
return self.InstrumentMap[c][name]
def all(self):
for c in self.Instruments:
yield self.InstrumentMap[c]
def doc(self, code):
c = self.parseCode(code)
return self.InstrumentMap[c]
def mCode(self, code):
return self.att(code, 'mCode')
def ctpCode(self, code):
return self.att(code, 'ctp')
def parseCtpCode(self, mCode):
# mCode 转换 ctpCode
t = ''.join(re.findall(r'[0-9]', mCode))
c = mCode.replace(t, '')
ctp = self.InstrumentMap[c]['ctp_symbol'].split("_")
sym = ctp[0] + t[-int(ctp[1]):]
return sym
def parseMCode(self, ctpCode):
# ctpCode 转换 mCode
return rq.id_convert(ctpCode)
#t = ''.join(re.findall(r'[0-9]', ctpCode))
#c = ctpCode.replace(t, '').upper()
#y = '' if len(t) == 4 else str((datetime.datetime.now()).year)[2:3]
#return '%s%s%s' % (c, y, t)
def parseCode(self, mCode=None):
t = ''.join(re.findall(r'[0-9]', mCode))
return mCode.replace(t, '').upper()
class interface_pyctp(object):
indexList = ['IH', 'IC', 'IF']
def __init__(self, use=True, baseInfo=None, userkey='simnow1'):
self.isCtpUse = use
self.ordersSend, self.ordersResponse = [], []
self.baseInfo = baseInfo
self.ctpUser = userkey
self.ctpPath = public_basePath + 'com/ctp/ctp.json'
#print(self.ctpPath)
self.prePosDetailMap = {}
self.Trade = None
self.iniAmount = 250000
self.ordersWaits = []
self.banAlterList = ['IC', 'IH', 'IF'] # 手动替换清单
if use:
try:
self.Trade = OrderTrader(self.ctpPath, self.ctpUser)
except:
logger.error(("CTP 连接错误!"))
@property
def front(self):
return self.Trade.trader.front
@property
def session(self):
return self.Trade.trader.session
@property
def Available(self):
# 查询资金可用余额和总额
res = self.qryAccount()
return (res['Available'], res['Balance'])
@property
def posMap(self):
""" 返回持仓明细"""
m = {}
for pos in self.qryPosition():
if pos['Position'] > 0:
c, c1 = pos['InstrumentID'].decode('gbk'), self.baseInfo.parseCode(pos['InstrumentID'].decode('gbk'))
if c1 not in self.baseInfo.map: continue
mode = '0' if pos['PosiDirection'].decode('utf-8') == '2' else '1'
key, key1 = '%s_%s' % (c, mode), '%s_%s' % (c1, mode)
if key in m:
p = m[key][0] + pos['Position']
y = m[key][1] + pos['YdPosition']
m[key] = m[key1] = (p, y, m[key][2])
else:
m[key] = m[key1] = (
pos['Position'], pos['YdPosition'], self.baseInfo.att(c1, 'exchange')) # vol,昨日,exchangeID
return m
def getPrePosDetailMap(self, combin=True):
""" 以数据记录方式返回持仓明细 """
res = self.qryPositionDetail()
m, sub = {}, {}
if res is None: return m
for pos in res:
if pos['Volume'] > 0:
# 过滤非本进程节点
c = self.baseInfo.parseCode(pos['InstrumentID'].decode('gbk'))
# if c not in self.baseInfo.Instruments: continue
# 转换为主力合约代码
code, posi = c, pos['Direction'].decode('gbk')
key, tradeId = c + '_' + posi, pos['TradeID'].decode('gbk').strip()
sub = {
"key": key,
"symbol": pos['InstrumentID'].decode('gbk'),
"code": self.baseInfo.parseMCode(pos['InstrumentID'].decode('gbk')),
"mode": 1 if posi == '0' else -1,
"isopen": 1,
"hands": pos['Volume'],
"orderID": tradeId,
"price": pos['OpenPrice'],
"profit": pos["PositionProfitByTrade"],
"fee": 0,
"createdate": public.parseTime(pos['OpenDate'].decode('utf-8'), format='%Y%m%d',
style='%Y-%m-%d %H:%M:%S')
}
if not key in m:
m[key] = sub
# 合并,并计算价格
else:
h0, h1 = m[key]["hands"], sub["hands"]
p0, p1 = m[key]["price"], sub["price"]
m[key].update({
"hands": h0 + h1,
"price": (h0 * p0 + h1 * p1) / (h0 + h1),
"profit": m[key]["profit"] + sub["profit"]
})
return m
def close(self):
self.Trade.logout()
"""发单"""
def sendOrder(self, orderDocs, callback=None):
if not self.Trade:
self.Trade = OrderTrader(self.ctpPath, self.ctpUser)
orders, self.ordersSend, self.ordersResponse, self.ordersWaits = [], [], [], []
for doc in orderDocs:
# 参数赋值
sym = doc["symbol"] # ctp 提交Code
# 多空 买卖
mode = PyCTP.THOST_FTDC_D_Buy if doc["mode"] > 0 else PyCTP.THOST_FTDC_D_Sell
# 平开
isopen = PyCTP.THOST_FTDC_OF_Open
if doc["isopen"] == 0:
isopen = PyCTP.THOST_FTDC_OF_CloseToday if 'istoday' in doc and doc[
"istoday"] == 1 else PyCTP.THOST_FTDC_OF_Close #
stype = PyCTP.THOST_FTDC_HF_Speculation
price = 'AskPrice1' if doc["mode"] > 0 else 'BidPrice1'
vol = int(doc["hands"])
doc.update({
"status": 0,
"session": self.session,
"front": self.front,
"direction": mode
})
# 发送前记录集
self.ordersSend.append(doc)
order = Order(bytes(sym, encoding='gbk'), mode, isopen, stype, vol, price, timeout=3, repeat=3)
orders.append(order)
if callback:
return self.Trade.insert_orders(orders, callback=callback)
else:
return self.Trade.insert_orders(orders, callback=self.orderResult)
def orderResult(self, ps):
# 交易单成功记录
for p in ps:
# 处理等待中的元素
k = p.field['InstrumentID'].decode('gbk')
if p.status in [5, 6]:
p.field['status'] = p.status
p.field['volume'] = p.traded_volume
if k in self.ordersWaits: self.ordersWaits.remove(k)
self.ordersResponse.append(p.field)
elif p.status not in [4]:
# 等待中的状态
if k not in self.ordersWaits: self.ordersWaits.append(k)
elif p.status in [4]:
if k in self.ordersWaits: self.ordersWaits.remove(k)
# 返回集检查
def checkResult(self):
c0 = ['direction', 'hands']
c1 = ['Direction', 'VolumeTotalOriginal']
t, w = 0, 0
times = 5
# 等待处理中的记录
if self.ordersWaits is not None:
while len(self.ordersWaits) > 0:
if w > times: break
logger.info(('-------- order waiting.....', self.ordersWaits, w))
w += 1
time.sleep(3)
for d0 in self.ordersSend:
if not (d0['session'] == self.session and d0['front'] == self.front): continue
for d1 in self.ordersResponse:
#print('------------return--------------', d1)
if d0['symbol'] == d1['InstrumentID'].decode('gbk') and [d0[k] for k in c0] == [d1[k] for k in c1]:
d0.update({
"status": d1['status'],
"price": d1['LimitPrice'],
"hands": d1['volume'],
"orderID": d1["OrderRef"].decode('gbk').strip(),
"vol": d1['volume'] * self.baseInfo.att(d0['symbol'], 'contract_multiplier')
})
t += 1
break
logger.info(
('--------orderresult compare input-out', len(self.ordersSend), len(self.ordersResponse), 'match:', t))
# 输出: 未匹配订单数,订单返回信息
return (len(self.ordersSend) - t) if len(self.ordersWaits) == 0 else 4, self.ordersSend
def qryAccount(self, ):
"""查询账户资金"""
res = self.Trade.trader.ReqQryTradingAccount()
return res.result
def qryPosition(self):
"""查询持仓"""
time.sleep(1)
res = self.Trade.trader.ReqQryInvestorPosition()
return res.result
def qryPositionDetail(self, code=''):
"""查询持仓明细"""
time.sleep(1)
res = self.Trade.trader.ReqQryInvestorPositionDetail(InstrumentID=code.encode('gbk'))
return res.result
def qtyInstrument(self, callback=None):
"""查询所有合约"""
res = self.Trade.trader.ReqQryInstrument()
return res.result
def cancelOrder(self, cancelOrderReq):
"""撤单"""
pass
def printClass(self, obj):
doc = {}
for name in dir(obj):
if name.find("__") > -1: continue
value = getattr(obj, name)
doc[name] = value
return doc
# 程序启动时自动检查初始状态
def iniPosition(self, codes, docs=[]):
"""查询账户资金"""
if self.prePosDetailMap == {}:
self.prePosDetailMap = self.getPrePosDetailMap()
pdm = self.prePosDetailMap
if len(docs) > 0:
k = [codes[i] + '_' + str(0 if docs[i]['mode'] == 1 else 1) for i in [0, 1]]
if k[0] in pdm and k[1] in pdm:
if docs[0]['hands'] <= pdm[k[0]]["hands"] and docs[1]['hands'] <= pdm[k[1]]["hands"]:
# 减去持仓量
for i in [0, 1]:
pdm[k[i]]["hands"] = pdm[k[i]]["hands"] - docs[i]['hands']
return docs
else:
# 无关联字段的匹配历史数据
for j in [0, 1]: # 买卖方向
k = [codes[i] + '_' + str((j + i) if (j + i) < 2 else 0) for i in [0, 1]]
if k[0] in pdm and k[1] in pdm:
hs = [pdm[k[i]]["hands"] for i in [0, 1]]
# 交易量是否为零
if hs[0] == 0 or hs[1] == 0: continue
cm = [self.baseInfo.att(codes[i], 'contract_multiplier') * pdm[k[i]]['price'] for i in
[0, 1]] # 1手金额
h = [0, 0]
# 根据1手金额, 计算可交易量
if cm[0] / cm[1] < hs[1] / hs[0] * 1.0:
h[0] = round(hs[0] / 2, 0) if hs[0] > 5 else hs[0]
h[1] = round(h[0] * cm[0] / cm[1], 0)
else:
h[1] = round(hs[1] / 2, 0) if hs[1] > 5 else hs[1]
h[0] = round(h[1] * cm[1] / cm[0], 0)
# 更新字段
ds = []
for i in [0, 1]:
d = copy.deepcopy(pdm[k[i]])
c = self.baseInfo.att(codes[i], 'contract_multiplier') # 1手吨数
r = self.baseInfo.att(codes[i], 'ratio') # 手续费率
d.update({
"hands": h[i],
"vol": h[i] * c,
"fee": (h[i] * r) if r > 0.5 else (d["price"] * h[i] * c * r)
})
pdm[k[i]]["hands"] = pdm[k[i]]["hands"] - h[i]
ds.append(d)
return ds
return None
preMap = None
def checkPosition(self, docs, isOpen, reverse=1, refresh=True):
""" 提交前检查持仓和资金状况 """
if isOpen == 1:
# 开仓检查资金余额
minRate = float(config_ini.get("minMarginRate", "CTP")) # 保证金准备金比例
fund = self.Available # 可用保证金和所有保证金
needs = sum([d['vol'] * self.baseInfo.att(d['code'], 'margin_rate') for d in docs])
return 0 if (fund[0] > needs and ((fund[0] - needs) / fund[1] > minRate)) else -1
else:
# 平仓检查仓位余额
if not refresh and self.preMap is not None:
posMap = self.preMap
else:
self.preMap = posMap = self.posMap
for doc in docs:
# if doc['name'] =='IH': print(posMap.keys())
if 'name' in doc:
key = '%s_%s' % (doc['name'], ('0' if (doc['mode'] * reverse < 0) else '1')) #
else:
key = '%s_%s' % (doc['symbol'], ('0' if (doc['mode'] * reverse < 0) else '1')) #
if not key in posMap or posMap[key][0] < doc['hands']:
return -2 #
elif len(posMap[key]) > 2 and posMap[key][1] < doc['hands'] and posMap[key][2] == 'SHFE':
"""区分是否时上期所平今仓, 仓位小于Yd持仓 """
doc.update({'istoday': 1})
return 0
def alterPosi(self, openDocs):
"""自动处理调仓, 调仓结束后,子进程启动时自动检查交易记录,生成新的买单"""
self.baseInfo = BaseInfo([])
map = self.posMap
if map == {}: return None
orders = []
# 检查主力合约是否跨期,并自动调仓
monthWeek, weekDay = public.getMonthDay()
for code in openDocs:
# 手动调仓清单
if code in self.banAlterList: continue
doc = openDocs[code][0]
mCode = self.baseInfo.mCode(code)
key = '%s_%s' % (code, '0' if doc['mode'] > 0 else '1')
print('alterPosi check:', key, mCode, doc['code'])
opt0 = mCode != doc['code']
opt1 = (doc['name'] in self.indexList and monthWeek == 3 and weekDay == 3) # 股指期货调仓
if (opt0 or opt1) and key in map and map[key][0] >= doc['hands']:
logger.info(('alterPosi start: c1,c0, v, v0', key, mCode, doc['code'], map[key][0], doc['hands']))
# 卖出单
del doc['id']
d0 = copy.deepcopy(doc)
d0['mode'] = -d0['mode']
d0['isopen'] = 0
d0['isstop'] = 4
d0['createdate'] = public.getDatetime()
orders.append(d0)
# 按原状态买入
d1 = copy.deepcopy(doc)
d1['code'] = mCode
d1['symbol'] = self.baseInfo.parseCtpCode(mCode)
d1['batchid'] = uuid.uuid1()
d1['status'] = d0['status'] = 4
d1['createdate'] = doc['createdate']
d1['isstop'] = 0
orders.append(d1)
# 下单数
if len(orders) > 0:
self.sendOrder(orders)
# return 0, orders
return self.checkResult()
# 配对交易不成功的强制平仓
def forceOrder(self, docs):
# 先检查初始状态
orders = []
for doc in docs:
if doc['status'] == 6:
newDoc = copy.deepcopy(doc)
newDoc['mode'] = - doc['mode']
newDoc['isopen'] = 0
newDoc['istoday'] = 1
orders.append(newDoc)
else:
# 状态设为-9
doc['status'] = -9
if len(orders) > 0:
self.sendOrder(orders)
return self.checkResult()
# 处理僵尸持仓
def orderDead(self, full_codes):
""" 检查position中的僵尸币对,"""
map = self.prePosDetailMap
orders, ks = [], []
for k in map:
if k.split("_")[0] in full_codes and map[k]['hands'] > 0:
doc = copy.deepcopy(map[k])
doc['mode'] = - map[k]['mode']
doc['isopen'] = 0
doc['istoday'] = 0
doc['method'] = 'dead'
orders.append(doc)
ks.append((k, map[k]['hands']))
# break
if len(orders) > 0:
r = self.checkPosition(orders, 0)
if r == 0:
print('dead position:', ks)
# 执行反向操作,清理已有记录
self.sendOrder(orders)
return self.checkResult()
return -1, None
columns_account = ['PreBalance', 'Balance', 'CloseProfit', 'PositionProfit', 'Commission', 'CurrMargin', 'Available']
columns_posiDetail = ['InstrumentID', 'Direction', 'OpenPrice', 'Volume', 'CloseProfitByTrade', 'PositionProfitByTrade',
'ExchangeID', 'OpenDate']
columns_posi = ['InstrumentID', 'PosiDirection', 'Position', 'YdPosition', 'CloseProfit', 'PositionProfit']
def main():
b = BaseInfo([])
obj = interface_pyctp(baseInfo=b, userkey='zhao')
print('终端信息:', [c for c in PyCTP.CTP_GetSystemInfo()])
res = obj.qryAccount()
for k in columns_account:
print((k, res[k]))
print()
res = obj.qryPosition()
res.sort(key=lambda k: (k.get('InstrumentID', 0).decode('gbk')))
print(len(res), columns_posi)
for r in res:
# if r['Position'] > 0:
print([r[c] for c in columns_posi])
if __name__ == '__main__':
main()
| [
"1953689193@qq.com"
] | 1953689193@qq.com |
6838ff5b6798d6a92e800b431d89e79232ce5410 | 2f21f9fd4d1d2f586e143454f349657be8397f04 | /URI Online Judge/Idade em dias .py | fae27a3c13ff1ee2ff9980246498ee115177d7f0 | [] | no_license | ViniciusSchutt/Python | 85e3d83ea6a2b8ca43e46096b69793d26f48ae20 | 4d7d9922b79c71c2df9c9410218d460b441d9cca | refs/heads/master | 2023-06-16T22:04:15.158578 | 2021-07-11T21:02:07 | 2021-07-11T21:02:07 | 366,565,108 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 268 | py | dias = int(input())
anos = 0
meses = 0
while dias > 30:
if dias - 365 >= 0:
anos += 1
dias -= 365
if dias - 30 >= 0:
meses += 1
dias -= 30
print(f'{anos} ano(s)')
print(f'{meses} mes(es)')
print(f'{dias} dia(s)') | [
"viniciuschutt@gmail.com"
] | viniciuschutt@gmail.com |
3ef598f244237952f1ffa69ac0f468555824db8b | 6fcfb638fa725b6d21083ec54e3609fc1b287d9e | /python/matrix-org_synapse/synapse-master/synapse/storage/registration.py | 26be6060c3be0523d8fdc939263fa610b948502c | [] | no_license | LiuFang816/SALSTM_py_data | 6db258e51858aeff14af38898fef715b46980ac1 | d494b3041069d377d6a7a9c296a14334f2fa5acc | refs/heads/master | 2022-12-25T06:39:52.222097 | 2019-12-12T08:49:07 | 2019-12-12T08:49:07 | 227,546,525 | 10 | 7 | null | 2022-12-19T02:53:01 | 2019-12-12T07:29:39 | Python | UTF-8 | Python | false | false | 17,431 | py | # -*- coding: utf-8 -*-
# Copyright 2014 - 2016 OpenMarket Ltd
#
# 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.
import re
from twisted.internet import defer
from synapse.api.errors import StoreError, Codes
from synapse.storage import background_updates
from synapse.util.caches.descriptors import cached, cachedInlineCallbacks
class RegistrationStore(background_updates.BackgroundUpdateStore):
def __init__(self, hs):
super(RegistrationStore, self).__init__(hs)
self.clock = hs.get_clock()
self.register_background_index_update(
"access_tokens_device_index",
index_name="access_tokens_device_id",
table="access_tokens",
columns=["user_id", "device_id"],
)
self.register_background_index_update(
"refresh_tokens_device_index",
index_name="refresh_tokens_device_id",
table="refresh_tokens",
columns=["user_id", "device_id"],
)
@defer.inlineCallbacks
def add_access_token_to_user(self, user_id, token, device_id=None):
"""Adds an access token for the given user.
Args:
user_id (str): The user ID.
token (str): The new access token to add.
device_id (str): ID of the device to associate with the access
token
Raises:
StoreError if there was a problem adding this.
"""
next_id = self._access_tokens_id_gen.get_next()
yield self._simple_insert(
"access_tokens",
{
"id": next_id,
"user_id": user_id,
"token": token,
"device_id": device_id,
},
desc="add_access_token_to_user",
)
def register(self, user_id, token=None, password_hash=None,
was_guest=False, make_guest=False, appservice_id=None,
create_profile_with_localpart=None, admin=False):
"""Attempts to register an account.
Args:
user_id (str): The desired user ID to register.
token (str): The desired access token to use for this user. If this
is not None, the given access token is associated with the user
id.
password_hash (str): Optional. The password hash for this user.
was_guest (bool): Optional. Whether this is a guest account being
upgraded to a non-guest account.
make_guest (boolean): True if the the new user should be guest,
false to add a regular user account.
appservice_id (str): The ID of the appservice registering the user.
create_profile_with_localpart (str): Optionally create a profile for
the given localpart.
Raises:
StoreError if the user_id could not be registered.
"""
return self.runInteraction(
"register",
self._register,
user_id,
token,
password_hash,
was_guest,
make_guest,
appservice_id,
create_profile_with_localpart,
admin
)
def _register(
self,
txn,
user_id,
token,
password_hash,
was_guest,
make_guest,
appservice_id,
create_profile_with_localpart,
admin,
):
now = int(self.clock.time())
next_id = self._access_tokens_id_gen.get_next()
try:
if was_guest:
# Ensure that the guest user actually exists
# ``allow_none=False`` makes this raise an exception
# if the row isn't in the database.
self._simple_select_one_txn(
txn,
"users",
keyvalues={
"name": user_id,
"is_guest": 1,
},
retcols=("name",),
allow_none=False,
)
self._simple_update_one_txn(
txn,
"users",
keyvalues={
"name": user_id,
"is_guest": 1,
},
updatevalues={
"password_hash": password_hash,
"upgrade_ts": now,
"is_guest": 1 if make_guest else 0,
"appservice_id": appservice_id,
"admin": 1 if admin else 0,
}
)
else:
self._simple_insert_txn(
txn,
"users",
values={
"name": user_id,
"password_hash": password_hash,
"creation_ts": now,
"is_guest": 1 if make_guest else 0,
"appservice_id": appservice_id,
"admin": 1 if admin else 0,
}
)
except self.database_engine.module.IntegrityError:
raise StoreError(
400, "User ID already taken.", errcode=Codes.USER_IN_USE
)
if token:
# it's possible for this to get a conflict, but only for a single user
# since tokens are namespaced based on their user ID
txn.execute(
"INSERT INTO access_tokens(id, user_id, token)"
" VALUES (?,?,?)",
(next_id, user_id, token,)
)
if create_profile_with_localpart:
txn.execute(
"INSERT INTO profiles(user_id) VALUES (?)",
(create_profile_with_localpart,)
)
self._invalidate_cache_and_stream(
txn, self.get_user_by_id, (user_id,)
)
txn.call_after(self.is_guest.invalidate, (user_id,))
@cached()
def get_user_by_id(self, user_id):
return self._simple_select_one(
table="users",
keyvalues={
"name": user_id,
},
retcols=["name", "password_hash", "is_guest"],
allow_none=True,
desc="get_user_by_id",
)
def get_users_by_id_case_insensitive(self, user_id):
"""Gets users that match user_id case insensitively.
Returns a mapping of user_id -> password_hash.
"""
def f(txn):
sql = (
"SELECT name, password_hash FROM users"
" WHERE lower(name) = lower(?)"
)
txn.execute(sql, (user_id,))
return dict(txn.fetchall())
return self.runInteraction("get_users_by_id_case_insensitive", f)
def user_set_password_hash(self, user_id, password_hash):
"""
NB. This does *not* evict any cache because the one use for this
removes most of the entries subsequently anyway so it would be
pointless. Use flush_user separately.
"""
def user_set_password_hash_txn(txn):
self._simple_update_one_txn(
txn,
'users', {
'name': user_id
},
{
'password_hash': password_hash
}
)
self._invalidate_cache_and_stream(
txn, self.get_user_by_id, (user_id,)
)
return self.runInteraction(
"user_set_password_hash", user_set_password_hash_txn
)
@defer.inlineCallbacks
def user_delete_access_tokens(self, user_id, except_token_id=None,
device_id=None,
delete_refresh_tokens=False):
"""
Invalidate access/refresh tokens belonging to a user
Args:
user_id (str): ID of user the tokens belong to
except_token_id (str): list of access_tokens IDs which should
*not* be deleted
device_id (str|None): ID of device the tokens are associated with.
If None, tokens associated with any device (or no device) will
be deleted
delete_refresh_tokens (bool): True to delete refresh tokens as
well as access tokens.
Returns:
defer.Deferred:
"""
def f(txn):
keyvalues = {
"user_id": user_id,
}
if device_id is not None:
keyvalues["device_id"] = device_id
if delete_refresh_tokens:
self._simple_delete_txn(
txn,
table="refresh_tokens",
keyvalues=keyvalues,
)
items = keyvalues.items()
where_clause = " AND ".join(k + " = ?" for k, _ in items)
values = [v for _, v in items]
if except_token_id:
where_clause += " AND id != ?"
values.append(except_token_id)
txn.execute(
"SELECT token FROM access_tokens WHERE %s" % where_clause,
values
)
rows = self.cursor_to_dict(txn)
for row in rows:
self._invalidate_cache_and_stream(
txn, self.get_user_by_access_token, (row["token"],)
)
txn.execute(
"DELETE FROM access_tokens WHERE %s" % where_clause,
values
)
yield self.runInteraction(
"user_delete_access_tokens", f,
)
def delete_access_token(self, access_token):
def f(txn):
self._simple_delete_one_txn(
txn,
table="access_tokens",
keyvalues={
"token": access_token
},
)
self._invalidate_cache_and_stream(
txn, self.get_user_by_access_token, (access_token,)
)
return self.runInteraction("delete_access_token", f)
@cached()
def get_user_by_access_token(self, token):
"""Get a user from the given access token.
Args:
token (str): The access token of a user.
Returns:
defer.Deferred: None, if the token did not match, otherwise dict
including the keys `name`, `is_guest`, `device_id`, `token_id`.
"""
return self.runInteraction(
"get_user_by_access_token",
self._query_for_auth,
token
)
@defer.inlineCallbacks
def is_server_admin(self, user):
res = yield self._simple_select_one_onecol(
table="users",
keyvalues={"name": user.to_string()},
retcol="admin",
allow_none=True,
desc="is_server_admin",
)
defer.returnValue(res if res else False)
@cachedInlineCallbacks()
def is_guest(self, user_id):
res = yield self._simple_select_one_onecol(
table="users",
keyvalues={"name": user_id},
retcol="is_guest",
allow_none=True,
desc="is_guest",
)
defer.returnValue(res if res else False)
def _query_for_auth(self, txn, token):
sql = (
"SELECT users.name, users.is_guest, access_tokens.id as token_id,"
" access_tokens.device_id"
" FROM users"
" INNER JOIN access_tokens on users.name = access_tokens.user_id"
" WHERE token = ?"
)
txn.execute(sql, (token,))
rows = self.cursor_to_dict(txn)
if rows:
return rows[0]
return None
@defer.inlineCallbacks
def user_add_threepid(self, user_id, medium, address, validated_at, added_at):
yield self._simple_upsert("user_threepids", {
"medium": medium,
"address": address,
}, {
"user_id": user_id,
"validated_at": validated_at,
"added_at": added_at,
})
@defer.inlineCallbacks
def user_get_threepids(self, user_id):
ret = yield self._simple_select_list(
"user_threepids", {
"user_id": user_id
},
['medium', 'address', 'validated_at', 'added_at'],
'user_get_threepids'
)
defer.returnValue(ret)
@defer.inlineCallbacks
def get_user_id_by_threepid(self, medium, address):
ret = yield self._simple_select_one(
"user_threepids",
{
"medium": medium,
"address": address
},
['user_id'], True, 'get_user_id_by_threepid'
)
if ret:
defer.returnValue(ret['user_id'])
defer.returnValue(None)
def user_delete_threepids(self, user_id):
return self._simple_delete(
"user_threepids",
keyvalues={
"user_id": user_id,
},
desc="user_delete_threepids",
)
def user_delete_threepid(self, user_id, medium, address):
return self._simple_delete(
"user_threepids",
keyvalues={
"user_id": user_id,
"medium": medium,
"address": address,
},
desc="user_delete_threepids",
)
@defer.inlineCallbacks
def count_all_users(self):
"""Counts all users registered on the homeserver."""
def _count_users(txn):
txn.execute("SELECT COUNT(*) AS users FROM users")
rows = self.cursor_to_dict(txn)
if rows:
return rows[0]["users"]
return 0
ret = yield self.runInteraction("count_users", _count_users)
defer.returnValue(ret)
@defer.inlineCallbacks
def find_next_generated_user_id_localpart(self):
"""
Gets the localpart of the next generated user ID.
Generated user IDs are integers, and we aim for them to be as small as
we can. Unfortunately, it's possible some of them are already taken by
existing users, and there may be gaps in the already taken range. This
function returns the start of the first allocatable gap. This is to
avoid the case of ID 10000000 being pre-allocated, so us wasting the
first (and shortest) many generated user IDs.
"""
def _find_next_generated_user_id(txn):
txn.execute("SELECT name FROM users")
rows = self.cursor_to_dict(txn)
regex = re.compile("^@(\d+):")
found = set()
for r in rows:
user_id = r["name"]
match = regex.search(user_id)
if match:
found.add(int(match.group(1)))
for i in xrange(len(found) + 1):
if i not in found:
return i
defer.returnValue((yield self.runInteraction(
"find_next_generated_user_id",
_find_next_generated_user_id
)))
@defer.inlineCallbacks
def get_3pid_guest_access_token(self, medium, address):
ret = yield self._simple_select_one(
"threepid_guest_access_tokens",
{
"medium": medium,
"address": address
},
["guest_access_token"], True, 'get_3pid_guest_access_token'
)
if ret:
defer.returnValue(ret["guest_access_token"])
defer.returnValue(None)
@defer.inlineCallbacks
def save_or_get_3pid_guest_access_token(
self, medium, address, access_token, inviter_user_id
):
"""
Gets the 3pid's guest access token if exists, else saves access_token.
Args:
medium (str): Medium of the 3pid. Must be "email".
address (str): 3pid address.
access_token (str): The access token to persist if none is
already persisted.
inviter_user_id (str): User ID of the inviter.
Returns:
deferred str: Whichever access token is persisted at the end
of this function call.
"""
def insert(txn):
txn.execute(
"INSERT INTO threepid_guest_access_tokens "
"(medium, address, guest_access_token, first_inviter) "
"VALUES (?, ?, ?, ?)",
(medium, address, access_token, inviter_user_id)
)
try:
yield self.runInteraction("save_3pid_guest_access_token", insert)
defer.returnValue(access_token)
except self.database_engine.module.IntegrityError:
ret = yield self.get_3pid_guest_access_token(medium, address)
defer.returnValue(ret)
| [
"659338505@qq.com"
] | 659338505@qq.com |
9c1d341f51b6bdcd2d9d20b8fec7e9f042b2bee9 | 7bc8292555995b56ab41f3e711ad2ac12531328b | /多关键字爬51job/Jobspider/settings.py | 3752b0bf1049d8b841d9753b0ecedb7463a5df1b | [] | no_license | AIshouldbecry/scrapy | bd5f88486a20fa053141e61164346ae91543dbfc | 22c4c5e0f212906a6488850d7b49e7f28c3e3a1e | refs/heads/master | 2022-12-10T10:37:44.272004 | 2018-12-22T05:48:00 | 2018-12-22T05:48:00 | 153,422,311 | 0 | 0 | null | 2022-12-08T02:59:54 | 2018-10-17T08:27:51 | Python | UTF-8 | Python | false | false | 1,302 | py | # -*- coding: utf-8 -*-
# Scrapy settings for Jobspider project
#
# For simplicity, this file contains only settings considered important or
# commonly used. You can find more settings consulting the documentation:
#
# https://doc.scrapy.org/en/latest/topics/settings.html
# https://doc.scrapy.org/en/latest/topics/downloader-middleware.html
# https://doc.scrapy.org/en/latest/topics/spider-middleware.html
BOT_NAME = 'Jobspider'
SPIDER_MODULES = ['Jobspider.spiders']
NEWSPIDER_MODULE = 'Jobspider.spiders'
DEFAULT_REQUEST_HEADERS = {
'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
'Accept-Language': 'en',
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/69.0.3497.100 Safari/537.36',
}
ROBOTSTXT_OBEY = False
CONCURRENT_REQUESTS = 40
DOWNLOAD_DELAY = 0.5
CONCURRENT_REQUESTS_PER_DOMAIN =16
CONCURRENT_REQUESTS_PER_IP = 16
ITEM_PIPELINES = {
'Jobspider.pipelines.JobspiderPipeline': 300,
'scrapy_redis.pipelines.RedisPipeline': 301
}
SCHEDULER = "scrapy_redis.scheduler.Scheduler"
DUPEFILTER_CLASS = "scrapy_redis.dupefilter.RFPDupeFilter"
#去重
REDIS_URL = 'redis://root:foobared@39.106.14.176:6379'
#redis数据库连接的格式
MONGO_URI = 'localhost'
MONGO_DATABASE = 'job' | [
"noreply@github.com"
] | noreply@github.com |
6deb1b04d266e126fd9490a2f66b69bd7796d2f3 | d59c5ffe07f016ad26d45c9698d3e4fd94f6bcd0 | /inception model - Image search P1/backend/lib/bin/theano-cache | f86a0cfdf3aaacd523edd01c4a1b502b7776123a | [] | no_license | payoj21/Image-search | 2554a10324333fabd5c800732c759446a8e7db54 | 07d32f51b3553b670a603bace774bc90e56ec2f4 | refs/heads/master | 2022-10-24T07:30:13.637586 | 2018-08-13T00:08:18 | 2018-08-13T00:08:18 | 144,509,137 | 0 | 2 | null | 2022-10-21T20:32:29 | 2018-08-12T23:52:47 | Python | UTF-8 | Python | false | false | 3,490 | #!/usr/local/opt/python/bin/python2.7
from __future__ import print_function
import logging
import os
import sys
import theano
from theano import config
import theano.gof.compiledir
from theano.gof.cc import get_module_cache
_logger = logging.getLogger('theano.bin.theano-cache')
def print_help(exit_status):
if exit_status:
print('command "%s" not recognized' % (' '.join(sys.argv)))
print('Type "theano-cache" to print the cache location')
print('Type "theano-cache help" to print this help')
print('Type "theano-cache clear" to erase the cache')
print('Type "theano-cache list" to print the cache content')
print('Type "theano-cache unlock" to unlock the cache directory')
print('Type "theano-cache cleanup" to delete keys in the old '
'format/code version')
print('Type "theano-cache purge" to force deletion of the cache directory')
print('Type "theano-cache basecompiledir" '
'to print the parent of the cache directory')
print('Type "theano-cache basecompiledir list" '
'to print the content of the base compile dir')
print('Type "theano-cache basecompiledir purge" '
'to remove everything in the base compile dir, '
'that is, erase ALL cache directories')
sys.exit(exit_status)
if len(sys.argv) == 1:
print(config.compiledir)
elif len(sys.argv) == 2:
if sys.argv[1] == 'help':
print_help(exit_status=0)
if sys.argv[1] == 'clear':
# We skip the refresh on module cache creation because the refresh will
# be done when calling clear afterwards.
cache = get_module_cache(init_args=dict(do_refresh=False))
cache.clear(unversioned_min_age=-1, clear_base_files=True,
delete_if_problem=True)
# Print a warning if some cached modules were not removed, so that the
# user knows he should manually delete them, or call
# theano-cache purge, # to properly clear the cache.
items = [item for item in sorted(os.listdir(cache.dirname))
if item.startswith('tmp')]
if items:
_logger.warning(
'There remain elements in the cache dir that you may '
'need to erase manually. The cache dir is:\n %s\n'
'You can also call "theano-cache purge" to '
'remove everything from that directory.' %
config.compiledir)
_logger.debug('Remaining elements (%s): %s' %
(len(items), ', '.join(items)))
elif sys.argv[1] == 'list':
theano.gof.compiledir.print_compiledir_content()
elif sys.argv[1] == 'cleanup':
theano.gof.compiledir.cleanup()
cache = get_module_cache(init_args=dict(do_refresh=False))
cache.clear_old()
elif sys.argv[1] == 'unlock':
theano.gof.compilelock.force_unlock()
print('Lock successfully removed!')
elif sys.argv[1] == 'purge':
theano.gof.compiledir.compiledir_purge()
elif sys.argv[1] == 'basecompiledir':
# Simply print the base_compiledir
print(theano.config.base_compiledir)
else:
print_help(exit_status=1)
elif len(sys.argv) == 3 and sys.argv[1] == 'basecompiledir':
if sys.argv[2] == 'list':
theano.gof.compiledir.basecompiledir_ls()
elif sys.argv[2] == 'purge':
theano.gof.compiledir.basecompiledir_purge()
else:
print_help(exit_status=1)
else:
print_help(exit_status=1)
| [
"payoj21@gmail.com"
] | payoj21@gmail.com | |
0156bd8477f03517039887e0a499bccf8d26c33e | 8826c4567c8ccf94bf7c689dafc3f602272032b4 | /ask/qa/urls.py | 001d13016cf1034568a9e56ccd18e408842047ae | [] | no_license | dkondin/stepik_web | b924e6b9059289e194cf635ce7356587660c2d63 | 7f4fb5169b307a34a7ee996639082734aaade81a | refs/heads/master | 2020-11-25T21:38:12.530554 | 2019-12-24T10:09:19 | 2019-12-24T10:09:19 | 228,857,377 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 423 | py | from django.conf.urls import include, url
from django.contrib import admin
from qa.views import test
urlpatterns = [
url(r"^$", test, name='index'),
url(r"^login/.*$", test, name="login"),
url(r"^signup/.*", test, name="signup"),
url(r"^question/\d+/$", test, name="question"),
url(r"^ask/.*", test, name="ask"),
url(r"^popular/.*", test, name="popular"),
url(r"^new/.*", test, name="new"),
]
| [
"kondinskaia@biocad.ru"
] | kondinskaia@biocad.ru |
a6f5582fc0f55ce1b8816e501641d8eb3f2f9ea4 | 946c04aa741b557daf56eac46385a613ac5e0cf2 | /PP4E/System/Processes/multi1.py | 2a10bd15027c964d91e4c4a8242d98ae4a2739d0 | [] | no_license | Ozavr/lutz | 513ba0ca91d7188b2d28f649efe454603121106f | 0ee96b5859c81ab04e8d2a3523a17fff089f12f2 | refs/heads/master | 2021-01-02T23:18:16.680021 | 2018-09-04T22:27:35 | 2018-09-04T22:27:35 | 99,497,282 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,076 | py | """
основы применения пакета multiprocessing: класс Process по своему действию
напоминает класс threading.Thread, но выполняет функцию в отдельном процессе,
а не в потоке; для синхронизации можно использовать блокировки, например, для
вывода текста; запускает новый процесс интерпретатора в Windows, порождает
дочерний процесс в Unix;
"""
import os
from multiprocessing import Process, Lock
def whoami(label, lock):
msg = '%s: name:%s, pid:%s'
with lock:
print(msg % (label, __name__, os.getppid()))
if __name__ == '__main__':
lock = Lock()
whoami('function call', lock)
p = Process(target=whoami, args=('spawned child', lock))
p.start()
p .join()
for i in range(5):
Process(target=whoami, args=(('run process %s' % i), lock)).start()
with lock:
print('Main process exit.') | [
"ozavr@me.com"
] | ozavr@me.com |
50f2d67c9a4d939c856f66e9318a78ad96f10eac | f769071bbce233e7f5479b51422d27da654b7947 | /simulation_ws/src/rover_gazebo/scripts/gazebo_odometry.py | f4e3360743eea698542ecbedd65c34eada3b8c94 | [
"MIT"
] | permissive | SiChiTong/rc_car_robomaker | e22028f1bc06c5011b78c005600f5795b19d6700 | e5b943df6491ed13f9a1708616f4a8fa21372735 | refs/heads/main | 2023-03-05T04:38:54.005234 | 2021-02-21T22:38:01 | 2021-02-21T22:38:01 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,435 | py | #!/usr/bin/env python
'''
This script makes Gazebo less fail by translating gazebo status messages to odometry data.
Since Gazebo also publishes data faster than normal odom data, this script caps the update to 20hz.
Winter Guerra
'''
import rospy
from nav_msgs.msg import Odometry
from geometry_msgs.msg import Pose, Twist, Transform, TransformStamped
from gazebo_msgs.msg import LinkStates
from std_msgs.msg import Header
import numpy as np
import math
import tf2_ros
class OdometryNode:
# Set publishers
pub_odom = rospy.Publisher('/gt/odom', Odometry, queue_size=1)
def __init__(self):
# init internals
self.last_received_pose = Pose()
self.last_received_twist = Twist()
self.last_recieved_stamp = None
# Set the update rate
rospy.Timer(rospy.Duration(.05), self.timer_callback) # 20hz
self.tf_pub = tf2_ros.TransformBroadcaster()
# Set subscribers
rospy.Subscriber('/gazebo/link_states', LinkStates, self.sub_robot_pose_update)
def sub_robot_pose_update(self, msg):
# Find the index of the racecar
try:
arrayIndex = msg.name.index('racecar::base_link')
except ValueError as e:
# Wait for Gazebo to startup
pass
else:
# Extract our current position information
self.last_received_pose = msg.pose[arrayIndex]
self.last_received_twist = msg.twist[arrayIndex]
self.last_recieved_stamp = rospy.Time.now()
def timer_callback(self, event):
if self.last_recieved_stamp is None:
return
cmd = Odometry()
cmd.header.stamp = self.last_recieved_stamp
cmd.header.frame_id = 'map'
cmd.child_frame_id = 'odom'
cmd.pose.pose = self.last_received_pose
cmd.twist.twist = self.last_received_twist
self.pub_odom.publish(cmd)
tf = TransformStamped(
header=Header(
frame_id=cmd.header.frame_id,
stamp=cmd.header.stamp
),
child_frame_id=cmd.child_frame_id,
transform=Transform(
translation=cmd.pose.pose.position,
rotation=cmd.pose.pose.orientation
)
)
self.tf_pub.sendTransform(tf)
# Start the node
if __name__ == '__main__':
rospy.init_node("gazebo_odometry_node")
node = OdometryNode()
rospy.spin()
| [
"accounts@wilselby.com"
] | accounts@wilselby.com |
bbb808633c1e9ea7c825efea1be0d1defa0f2c5c | b06e9ca45acb728d0b997ed4a60aed3c46278bfb | /Medium/addTwoNumbersII.py | b47ab9b61f866b25d1af39a01dafb2d324c35dad | [] | no_license | atshaya-anand/LeetCode-programs | 3bd010d35dea2bc548258570f4e47151cd44da0b | 2e99f8b394cb220cddc39dd12f875d75210c2bfc | refs/heads/main | 2023-05-31T05:12:40.652233 | 2021-06-13T05:15:03 | 2021-06-13T05:15:03 | 330,325,495 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 992 | py | # https://leetcode.com/problems/add-two-numbers-ii/
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def addTwoNumbers(self, l1: ListNode, l2: ListNode) -> ListNode:
str1 = ''
str2 = ''
while l1:
str1 += str(l1.val)
l1 = l1.next
while l2:
str2 += str(l2.val)
l2 = l2.next
#print(str1,'---',str2)
val = int(str1) + int(str2)
#print(val)
valstr = str(val)
if valstr != '':
node = ListNode(valstr[0])
head = node
list_ = head
i = 1
n = len(valstr)
while i < n:
node = ListNode(valstr[i])
head.next = node
head = node
i += 1
return list_
return None | [
"atshaya1699@gmail.com"
] | atshaya1699@gmail.com |
298e53aa0c6d801c0746d2ff557e8d561e96fa4c | 42d081aa0d0cdbb3d329c9dbef12b8d1f3fce9cc | /backend/apps/cart/models.py | a09e7c9293fc2c149c443acdc26a4cbae5660cd0 | [] | no_license | panhavoan-leng/choza | f8876a1a2f6dbd9d3edb5bb93db6a06b15d0f138 | 3d395fb41dd3b65bd7d9f7477020c5fb4f0a0953 | refs/heads/master | 2023-09-05T09:44:07.535881 | 2021-10-21T09:14:06 | 2021-10-21T09:14:06 | 419,659,157 | 0 | 1 | null | null | null | null | UTF-8 | Python | false | false | 673 | py | from django.db import models
# Create your models here.
from apps.user.models import User
from apps.items.models import Item
class Cart(models.Model):
class Meta:
db_table = 'cart'
user_id = models.ForeignKey(
User, on_delete=models.CASCADE, db_index=True
)
item_id = models.ForeignKey(
Item, on_delete=models.CASCADE, db_index=True
)
quantity = models.IntegerField(
'Quantity', blank=False, null=False, db_index=True
)
created_at = models.DateTimeField(
'Created At', blank=True, auto_now_add=True
)
updated_at = models.DateTimeField(
'Updated At', blank=True, auto_now=True
) | [
"nitesh@techis.io"
] | nitesh@techis.io |
f90a330761a43f328e206363dca801aabefd20f4 | 83de24182a7af33c43ee340b57755e73275149ae | /aliyun-python-sdk-dysmsapi/aliyunsdkdysmsapi/request/v20170525/AddSmsSignRequest.py | c3e037abfab8fb2d6f9075b66dd5a949c573ec10 | [
"Apache-2.0"
] | permissive | aliyun/aliyun-openapi-python-sdk | 4436ca6c57190ceadbc80f0b1c35b1ab13c00c7f | 83fd547946fd6772cf26f338d9653f4316c81d3c | refs/heads/master | 2023-08-04T12:32:57.028821 | 2023-08-04T06:00:29 | 2023-08-04T06:00:29 | 39,558,861 | 1,080 | 721 | NOASSERTION | 2023-09-14T08:51:06 | 2015-07-23T09:39:45 | Python | UTF-8 | Python | false | false | 2,870 | py | # 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.
from aliyunsdkcore.request import RpcRequest
from aliyunsdkdysmsapi.endpoint import endpoint_data
class AddSmsSignRequest(RpcRequest):
def __init__(self):
RpcRequest.__init__(self, 'Dysmsapi', '2017-05-25', 'AddSmsSign')
self.set_method('POST')
if hasattr(self, "endpoint_map"):
setattr(self, "endpoint_map", endpoint_data.getEndpointMap())
if hasattr(self, "endpoint_regional"):
setattr(self, "endpoint_regional", endpoint_data.getEndpointRegional())
def get_ResourceOwnerId(self):
return self.get_query_params().get('ResourceOwnerId')
def set_ResourceOwnerId(self,ResourceOwnerId):
self.add_query_param('ResourceOwnerId',ResourceOwnerId)
def get_Remark(self):
return self.get_query_params().get('Remark')
def set_Remark(self,Remark):
self.add_query_param('Remark',Remark)
def get_SignName(self):
return self.get_query_params().get('SignName')
def set_SignName(self,SignName):
self.add_query_param('SignName',SignName)
def get_SignFileLists(self):
return self.get_body_params().get('SignFileList')
def set_SignFileLists(self, SignFileLists):
for depth1 in range(len(SignFileLists)):
if SignFileLists[depth1].get('FileContents') is not None:
self.add_body_params('SignFileList.' + str(depth1 + 1) + '.FileContents', SignFileLists[depth1].get('FileContents'))
if SignFileLists[depth1].get('FileSuffix') is not None:
self.add_body_params('SignFileList.' + str(depth1 + 1) + '.FileSuffix', SignFileLists[depth1].get('FileSuffix'))
def get_ResourceOwnerAccount(self):
return self.get_query_params().get('ResourceOwnerAccount')
def set_ResourceOwnerAccount(self,ResourceOwnerAccount):
self.add_query_param('ResourceOwnerAccount',ResourceOwnerAccount)
def get_OwnerId(self):
return self.get_query_params().get('OwnerId')
def set_OwnerId(self,OwnerId):
self.add_query_param('OwnerId',OwnerId)
def get_SignSource(self):
return self.get_query_params().get('SignSource')
def set_SignSource(self,SignSource):
self.add_query_param('SignSource',SignSource) | [
"sdk-team@alibabacloud.com"
] | sdk-team@alibabacloud.com |
524e40450306cc556eac8e070f3b80153b85a3e2 | 2a97f8fa9c94d9f57ecd96268fe5c79ae4832dbb | /news_app/admin.py | 450e7e3d6e925b469f00a1d5f00b9161c6537f79 | [] | no_license | KA-Randy-Charity-Jr/Group_Topaz_GameFaqs | a58cff479af9f99a6e17d2225506d5a6ce2a4bad | 2a091785075e0fc5fbcba70f65e15de3b80422ee | refs/heads/main | 2022-12-29T05:23:30.948608 | 2020-10-21T09:00:50 | 2020-10-21T09:00:50 | 301,495,256 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 130 | py | from django.contrib import admin
from news_app.models import Newspost
# Register your models here.
admin.site.register(Newspost) | [
"rakechj2@outlook.com"
] | rakechj2@outlook.com |
e9e15aabeeb19d067d2268bae9dc0e125bd40664 | 0286c905b0b2d7e956940524aa65668c3e4347fd | /driver/python-client.py | 12db4b64292961ae24c1aeb85ba208e50c97dfb8 | [] | no_license | pcrews/libra-integration-tests | 44e4597805d27423cf22a8c3f206305248d87766 | 0f3ee771512d2e859fe52bbcfd1d9f25d02f89b5 | refs/heads/master | 2021-01-23T07:26:51.001891 | 2014-05-06T18:57:00 | 2014-05-06T18:57:00 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 16,365 | py | # Copyright 2012 Hewlett-Packard Development Company, L.P.
#
# 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.
""" python-client.py
methods for interacting with the lbaas service
via python-libraclient requests
"""
import os
import ast
import json
import time
import requests
import commands
class lbaasDriver:
""" Driver to handle http interaction with the libra lbaas service
Contains methods to call the various api methods as well as
code for validating the actions
"""
def __init__(self, args, api_user_url):
""" TODO: put in validation and api-specific whatnot here """
self.args = args
self.api_user_url = api_user_url
self.supported_algorithms = ['ROUND_ROBIN', 'LEAST_CONNECTIONS', None]
self.user_name = args.osusername
self.auth_url = args.osauthurl
self.tenant_name = args.ostenantname
self.password = args.ospassword
self.good_status = args.successstatuscode
self.verbose = args.verbose
self.region_name = args.osregionname
self.base_cmd = ("libra_client --os_auth_url=%s --os_username=%s"
"--os_password=%s --os_tenant_name=%s"
"--os_region_name=%s") % (self.auth_url,
self.user_name,
self.password,
self.tenant_name,
self.region_name)
if args.prodhack:
self.base_cmd += " --bypass_url=%s --insecure" % self.api_user_url
# bit of a hack to eliminate some saltstack garbage
# we get with the client
self.garbage_output = ['/usr/lib/python2.7/getpass.py:83: GetPassWarning: Can not control echo on the terminal.',
'passwd = fallback_getpass(prompt, stream)',
'Warning: Password input may be echoed.',
'Please set a password for your new keyring'
]
self.get_swift_credentials()
return
def get_swift_credentials(self):
""" Get our keystone auth token to work with the api server """
self.swift_endpoint = None
headers = {"Content-Type": "application/json"}
request_data = {'auth': {'tenantName': self.tenant_name,
'passwordCredentials': {'username': self.user_name,
'password': self.password}
}
}
request_data = json.dumps(request_data)
auth_url = self.auth_url
if not self.auth_url.endswith('tokens'):
auth_url = os.path.join(self.auth_url, 'tokens')
request_result = requests.post(auth_url, data=request_data, headers=headers, verify=False)
if self.verbose:
print 'Status: %s' % request_result.status_code
print 'Output:\n%s' % (request_result.text)
request_data = ast.literal_eval(request_result.text)
for service_data in request_data['access']['serviceCatalog']:
if service_data['name'] == 'Object Storage':
self.swift_endpoint = service_data['endpoints'][0]['publicURL'].replace('\\', '')
self.auth_token = request_data['access']['token']['id']
self.tenant_id = request_data['access']['token']['tenant']['id']
return
def trim_garbage_output(self, output):
for garbage_item in self.garbage_output:
output = output.replace(garbage_item, '').strip()
return output
def execute_cmd(self, cmd):
status, output = commands.getstatusoutput(cmd)
output = self.trim_garbage_output(output)
if self.verbose:
print "Command: %s" % cmd
print "Status: %s" % status
print "Output:\n%s" % output
return status, output
def handle_client_side_errors(self, data, client_action=None, algorithm=None):
# a bit of a hack for client-side handling of some bad requests
# python-libraclient appears to detect / check and provide a
# 'you used me wrong' type of message vs. a 'from-the-api-server' error code
status = '512' # default / what brought us here
error_strings = ["Invalid IP:port specified for --node",
"Libra command line client %s: error: argument --algorithm: invalid choice: '%s'" % (client_action, algorithm)
]
for line in data:
for error_string in error_strings:
if error_string in line:
status = '400'
return status
#-----------------
# lbaas functions
#-----------------
def create_lb(self, name, nodes, algorithm, bad_statuses, vip=None):
""" Create a load balancer via the requests library
We expect the url to be the proper, fully constructed base url
we add the 'loadbalancers suffix to the base
nodes is expected to be a list of nodes in this format:
nodes = [{"address": "15.185.227.167","port": "80"},{"address": "15.185.227.165","port": "80"}]
"""
lb_id = None
lb_addr = None
tcp_https_flag = False
cmd = self.base_cmd + ' create --name="%s"' % name
for node in nodes:
node_info = ''
address = ''
port = ''
if 'address' in node:
address = node['address']
if 'port' in node:
port = node['port']
if str(port) == '443':
tcp_https_flag = True
cmd += ' --node=%s:%s' % (address, port)
if algorithm:
cmd += ' --algorithm=%s' % algorithm
if tcp_https_flag:
cmd += ' --protocol=TCP --port=443'
if vip:
cmd += ' --vip=%s' % vip
status, output = self.execute_cmd(cmd)
data = output.split('\n')
if len(data) >= 3 and algorithm in self.supported_algorithms:
data = data[3]
lb_data = data.split('|')
lb_id = lb_data[1].strip()
lb_stats = ast.literal_eval(lb_data[9].strip())
lb_addr = lb_stats[0]['address']
status = self.args.successstatuscode
attempts_remain = 120
time_wait = 1
while not lb_addr and attempts_remain:
result_data = self.list_lb_detail(lb_id)
if 'virtualIps' in result_data:
lb_addr = result_data['virtualIps'][0]['address']
if lb_addr:
attempts_remain = 0
else:
attempts_remain -= 1
time.sleep(time_wait)
else:
attempts_remain -= 1
time.sleep(time_wait)
elif str(status) == '512':
status = self.handle_client_side_errors(data, 'create', algorithm)
else:
data = data[0]
if 'HTTP' in data:
status = data.split('(HTTP')[1].strip().replace(')', '')
return output, status, lb_id, lb_addr # TODO detect error statuses!!!!!
def delete_lb(self, lb_id):
""" Delete the loadbalancer identified by 'lb_id' """
if lb_id:
cmd = self.base_cmd + ' delete --id=%s' % lb_id
status, output = self.execute_cmd(cmd)
return output
def delete_lb_node(self, lb_id, node_id):
""" Remove specified node_id from lb_id """
cmd = self.base_cmd + " node-delete --id=%s --nodeid=%s" % (lb_id, node_id)
status, output = self.execute_cmd(cmd)
if status == 0:
return '202'
return status
def list_lbs(self):
""" List all loadbalancers for the given auth token / tenant id """
url = "%s/loadbalancers" % self.api_user_url
cmd = self.base_cmd + ' list'
status, output = self.execute_cmd(cmd)
data = output.split('\n')
field_names = []
for field_name in data[1].split('|')[1:-1]:
field_names.append(field_name.strip().lower())
loadbalancers = []
data = output.split('\n')[3:-1] # get the 'meat' / data
for lb_row in data:
loadbalancer = {}
lb_data = lb_row.split('|')[1:-1]
for idx, lb_item in enumerate(lb_data):
loadbalancer[field_names[idx]] = lb_item[1:-1]
loadbalancers.append(loadbalancer)
return loadbalancers
def list_lb_detail(self, lb_id):
""" Get the detailed info returned by the api server for the specified id """
cmd = self.base_cmd + ' status --id=%s' % lb_id
status, output = self.execute_cmd(cmd)
data = output.split('\n')
field_names = []
for field_name in data[1].split('|')[1:-1]:
field_names.append(field_name.strip().lower())
data = output.split('\n')[3:-1][0] # get the 'meat' / data and expect one line
# expect a single line of detail data
loadbalancer_detail = {}
lb_data = data.split('|')[1:-1]
for idx, lb_item in enumerate(lb_data):
if field_names[idx] == 'nodes':
loadbalancer_detail[field_names[idx]] = ast.literal_eval(lb_item.strip())
else:
loadbalancer_detail[field_names[idx]] = lb_item[1:-1]
return loadbalancer_detail
def list_lb_nodes(self, lb_id):
""" Get list of nodes for the specified lb_id """
cmd = self.base_cmd + ' node-list --id=%s' % lb_id
status, output = self.execute_cmd(cmd)
data = output.split('\n')
field_names = []
for field_name in data[1].split('|')[1:-1]:
field_names.append(field_name.strip().lower())
node_dict = {}
node_list = []
data = output.split('\n')[3:-1] # get the 'meat' / data
for node_row in data:
node = {}
node_data = node_row.split('|')[1:-1]
for idx, node_item in enumerate(node_data):
node[field_names[idx]] = node_item.strip()
node_list.append(node)
node_dict['nodes'] = node_list
return node_dict
def update_lb(self, lb_id, update_data):
""" We get a dictionary of update_data
containing a new name, algorithm, or both
and we execute an UPDATE API call and see
what happens
"""
cmd = self.base_cmd + ' modify --id=%s' % (lb_id)
if 'name' in update_data:
cmd += ' --name="%s"' % update_data['name']
if 'algorithm' in update_data:
cmd += ' --algorithm=%s' % update_data['algorithm']
status, output = self.execute_cmd(cmd)
data = output.split('\n')
if output.strip() in ['', ':']:
status = self.good_status
elif str(status) == '512':
status = self.handle_client_side_errors(data, 'modify', update_data['algorithm'])
else:
data = data[0]
if 'HTTP' in data:
status = data.split('(HTTP')[1].strip().replace(')', '')
return status
def add_nodes(self, lb_id, add_node_data):
""" We get a list of nodes we want to add and
try to add them :)
"""
cmd = self.base_cmd + ' node-add --id=%s' % (lb_id)
for node in add_node_data:
node_info = ''
address = ''
port = ''
if 'address' in node:
address = node['address']
if 'port' in node:
port = node['port']
if str(port) == '443':
tcp_https_flag = True
cmd += ' --node=%s:%s' % (address, port)
status, output = self.execute_cmd(cmd)
data = output.split('\n')
if 'HTTP' in data[0]:
status = data[0].split('(HTTP')[1].strip().replace(')', '')
elif str(status) == '512':
status = self.handle_client_side_errors(data)
else:
status = self.good_status
return output, status
def modify_node(self, lb_id, node_id, node_data):
""" Set the node's condition to the value specified """
cmd = self.base_cmd + ' node-modify --id=%s --nodeid=%s' % (lb_id, node_id)
if 'condition' in node_data:
cmd += ' --condition=%s' % (node_data['condition'])
if 'address' in node_data or 'port' in node_data:
# hack as client only allows node updates of condition...
return '400'
status, output = self.execute_cmd(cmd)
data = output.split('\n')
if 'HTTP' in data[0]:
status = data[0].split('(HTTP')[1].strip().replace(')', '')
elif str(status) == '512':
status = self.handle_client_side_errors(data)
else:
status = '204'
return status
def get_logs(self, lb_id, auth_token=None, obj_endpoint=None, obj_basepath=None):
""" Get the logs / archive them for the listed lb_id """
if auth_token:
use_token = auth_token
else:
use_token = self.auth_token
if obj_endpoint:
use_endpoint = obj_endpoint
else:
use_endpoint = self.swift_endpoint
if obj_basepath:
use_basepath = obj_basepath
cmd = self.base_cmd + ' logs --id=%s --token=%s --endpoint=%s --basepath=%s' % (lb_id, use_token, use_endpoint, use_basepath)
status, output = self.execute_cmd(cmd)
if not status:
status = '204'
return status
# validation functions
# these should likely live in a separate file, but putting
# validation + actions together for now
def validate_lb_nodes(self, expected_nodes, system_nodes):
""" We go through our list of expected nodes and compare them
to our system nodes
"""
error = 0
error_list = []
if len(expected_nodes) != len(system_nodes):
error_list.append("ERROR: Node mismatch between request and api server detail: %s || %s" % (expected_nodes, system_nodes))
error = 1
for node in expected_nodes:
match = 0
for sys_node in system_nodes:
if not match and node['address'] == sys_node['address'] and int(node['port']) == int(sys_node['port']):
match = 1
if not match:
error_list.append("ERROR: Node: %s has no match from api server" % (node))
error = 1
return error, error_list
def validate_status(self, expected_status, actual_status):
""" See what the result_dictionary status_code is and
compare it to our expected result """
if str(actual_status) == str(expected_status):
result = True
else:
result = False
return result
def validate_lb_list(self, lb_name, loadbalancers):
match = False
for loadbalancer in loadbalancers:
"""
if self.args.verbose:
for key, item in loadbalancer.items():
self.logging.info('%s: %s' % (key, item))
"""
# This is a bit bobo, but we have variable whitespace
# padding in client output depending on other names
# that exist in the lb list and we test with whitespace
# names. Time to make this perfect isn't available, so
# this works for the most part.
if lb_name.strip() == loadbalancer['name'].strip():
match = True
return match
| [
"gleebix@gmail.com"
] | gleebix@gmail.com |
ad8838d4134389b893ad78037c7bacb4573923a7 | 450c45e780332f56ea339a83891f0c12d6120794 | /google/ads/google_ads/v2/services/age_range_view_service_client.py | e1aee0f95f28e5e679c2b9a8b0e6278f3c17cfec | [
"Apache-2.0",
"LicenseRef-scancode-generic-cla"
] | permissive | akaashhazarika/google-ads-python | 7766370cc526190c962dc9ff806520d459b05c25 | 25b43aa616020ad7dfa55b90fa236a29cf97d45a | refs/heads/master | 2020-06-07T08:56:21.533323 | 2019-06-27T15:26:49 | 2019-06-27T15:26:49 | 191,448,135 | 0 | 0 | Apache-2.0 | 2019-06-11T20:57:04 | 2019-06-11T20:57:04 | null | UTF-8 | Python | false | false | 9,812 | py | # -*- coding: utf-8 -*-
#
# Copyright 2019 Google LLC
#
# 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://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.
"""Accesses the google.ads.googleads.v2.services AgeRangeViewService API."""
import pkg_resources
import warnings
from google.oauth2 import service_account
import google.api_core.gapic_v1.client_info
import google.api_core.gapic_v1.config
import google.api_core.gapic_v1.method
import google.api_core.gapic_v1.routing_header
import google.api_core.grpc_helpers
import google.api_core.path_template
from google.ads.google_ads.v2.services import age_range_view_service_client_config
from google.ads.google_ads.v2.services.transports import age_range_view_service_grpc_transport
from google.ads.google_ads.v2.proto.services import age_range_view_service_pb2
_GAPIC_LIBRARY_VERSION = pkg_resources.get_distribution(
'google-ads',
).version
class AgeRangeViewServiceClient(object):
"""Service to manage age range views."""
SERVICE_ADDRESS = 'googleads.googleapis.com:443'
"""The default address of the service."""
# The name of the interface for this client. This is the key used to
# find the method configuration in the client_config dictionary.
_INTERFACE_NAME = 'google.ads.googleads.v2.services.AgeRangeViewService'
@classmethod
def from_service_account_file(cls, filename, *args, **kwargs):
"""Creates an instance of this client using the provided credentials
file.
Args:
filename (str): The path to the service account private key json
file.
args: Additional arguments to pass to the constructor.
kwargs: Additional arguments to pass to the constructor.
Returns:
AgeRangeViewServiceClient: The constructed client.
"""
credentials = service_account.Credentials.from_service_account_file(
filename)
kwargs['credentials'] = credentials
return cls(*args, **kwargs)
from_service_account_json = from_service_account_file
@classmethod
def age_range_view_path(cls, customer, age_range_view):
"""Return a fully-qualified age_range_view string."""
return google.api_core.path_template.expand(
'customers/{customer}/ageRangeViews/{age_range_view}',
customer=customer,
age_range_view=age_range_view,
)
def __init__(self, transport=None, channel=None, credentials=None,
client_config=None, client_info=None):
"""Constructor.
Args:
transport (Union[~.AgeRangeViewServiceGrpcTransport,
Callable[[~.Credentials, type], ~.AgeRangeViewServiceGrpcTransport]): A transport
instance, responsible for actually making the API calls.
The default transport uses the gRPC protocol.
This argument may also be a callable which returns a
transport instance. Callables will be sent the credentials
as the first argument and the default transport class as
the second argument.
channel (grpc.Channel): DEPRECATED. A ``Channel`` instance
through which to make calls. This argument is mutually exclusive
with ``credentials``; providing both will raise an exception.
credentials (google.auth.credentials.Credentials): The
authorization credentials to attach to requests. These
credentials identify this application to the service. If none
are specified, the client will attempt to ascertain the
credentials from the environment.
This argument is mutually exclusive with providing a
transport instance to ``transport``; doing so will raise
an exception.
client_config (dict): DEPRECATED. A dictionary of call options for
each method. If not specified, the default configuration is used.
client_info (google.api_core.gapic_v1.client_info.ClientInfo):
The client info used to send a user-agent string along with
API requests. If ``None``, then default info will be used.
Generally, you only need to set this if you're developing
your own client library.
"""
# Raise deprecation warnings for things we want to go away.
if client_config is not None:
warnings.warn('The `client_config` argument is deprecated.',
PendingDeprecationWarning, stacklevel=2)
else:
client_config = age_range_view_service_client_config.config
if channel:
warnings.warn('The `channel` argument is deprecated; use '
'`transport` instead.',
PendingDeprecationWarning, stacklevel=2)
# Instantiate the transport.
# The transport is responsible for handling serialization and
# deserialization and actually sending data to the service.
if transport:
if callable(transport):
self.transport = transport(
credentials=credentials,
default_class=age_range_view_service_grpc_transport.AgeRangeViewServiceGrpcTransport,
)
else:
if credentials:
raise ValueError(
'Received both a transport instance and '
'credentials; these are mutually exclusive.'
)
self.transport = transport
else:
self.transport = age_range_view_service_grpc_transport.AgeRangeViewServiceGrpcTransport(
address=self.SERVICE_ADDRESS,
channel=channel,
credentials=credentials,
)
if client_info is None:
client_info = google.api_core.gapic_v1.client_info.ClientInfo(
gapic_version=_GAPIC_LIBRARY_VERSION,
)
else:
client_info.gapic_version = _GAPIC_LIBRARY_VERSION
self._client_info = client_info
# Parse out the default settings for retry and timeout for each RPC
# from the client configuration.
# (Ordinarily, these are the defaults specified in the `*_config.py`
# file next to this one.)
self._method_configs = google.api_core.gapic_v1.config.parse_method_configs(
client_config['interfaces'][self._INTERFACE_NAME],
)
# Save a dictionary of cached API call functions.
# These are the actual callables which invoke the proper
# transport methods, wrapped with `wrap_method` to add retry,
# timeout, and the like.
self._inner_api_calls = {}
# Service calls
def get_age_range_view(
self,
resource_name,
retry=google.api_core.gapic_v1.method.DEFAULT,
timeout=google.api_core.gapic_v1.method.DEFAULT,
metadata=None):
"""
Returns the requested age range view in full detail.
Args:
resource_name (str): The resource name of the age range view to fetch.
retry (Optional[google.api_core.retry.Retry]): A retry object used
to retry requests. If ``None`` is specified, requests will not
be retried.
timeout (Optional[float]): The amount of time, in seconds, to wait
for the request to complete. Note that if ``retry`` is
specified, the timeout applies to each individual attempt.
metadata (Optional[Sequence[Tuple[str, str]]]): Additional metadata
that is provided to the method.
Returns:
A :class:`~google.ads.googleads_v2.types.AgeRangeView` instance.
Raises:
google.api_core.exceptions.GoogleAPICallError: If the request
failed for any reason.
google.api_core.exceptions.RetryError: If the request failed due
to a retryable error and retry attempts failed.
ValueError: If the parameters are invalid.
"""
# Wrap the transport method to add retry and timeout logic.
if 'get_age_range_view' not in self._inner_api_calls:
self._inner_api_calls['get_age_range_view'] = google.api_core.gapic_v1.method.wrap_method(
self.transport.get_age_range_view,
default_retry=self._method_configs['GetAgeRangeView'].retry,
default_timeout=self._method_configs['GetAgeRangeView'].timeout,
client_info=self._client_info,
)
request = age_range_view_service_pb2.GetAgeRangeViewRequest(
resource_name=resource_name,
)
if metadata is None:
metadata = []
metadata = list(metadata)
try:
routing_header = [('resource_name', resource_name)]
except AttributeError:
pass
else:
routing_metadata = google.api_core.gapic_v1.routing_header.to_grpc_metadata(routing_header)
metadata.append(routing_metadata)
return self._inner_api_calls['get_age_range_view'](request, retry=retry, timeout=timeout, metadata=metadata)
| [
"noreply@github.com"
] | noreply@github.com |
421594bcaed8aa3f30b6523167db2e27b5eda17b | 42c48f3178a48b4a2a0aded547770027bf976350 | /google/ads/google_ads/v4/proto/errors/extension_setting_error_pb2.py | be7216100728c18ba162b3213ffa8057ae1e1e1b | [
"Apache-2.0"
] | permissive | fiboknacky/google-ads-python | e989464a85f28baca1f28d133994c73759e8b4d6 | a5b6cede64f4d9912ae6ad26927a54e40448c9fe | refs/heads/master | 2021-08-07T20:18:48.618563 | 2020-12-11T09:21:29 | 2020-12-11T09:21:29 | 229,712,514 | 0 | 0 | Apache-2.0 | 2019-12-23T08:44:49 | 2019-12-23T08:44:49 | null | UTF-8 | Python | false | true | 17,018 | py | # -*- coding: utf-8 -*-
# Generated by the protocol buffer compiler. DO NOT EDIT!
# source: google/ads/googleads_v4/proto/errors/extension_setting_error.proto
import sys
_b=sys.version_info[0]<3 and (lambda x:x) or (lambda x:x.encode('latin1'))
from google.protobuf import descriptor as _descriptor
from google.protobuf import message as _message
from google.protobuf import reflection as _reflection
from google.protobuf import symbol_database as _symbol_database
# @@protoc_insertion_point(imports)
_sym_db = _symbol_database.Default()
from google.api import annotations_pb2 as google_dot_api_dot_annotations__pb2
DESCRIPTOR = _descriptor.FileDescriptor(
name='google/ads/googleads_v4/proto/errors/extension_setting_error.proto',
package='google.ads.googleads.v4.errors',
syntax='proto3',
serialized_options=_b('\n\"com.google.ads.googleads.v4.errorsB\032ExtensionSettingErrorProtoP\001ZDgoogle.golang.org/genproto/googleapis/ads/googleads/v4/errors;errors\242\002\003GAA\252\002\036Google.Ads.GoogleAds.V4.Errors\312\002\036Google\\Ads\\GoogleAds\\V4\\Errors\352\002\"Google::Ads::GoogleAds::V4::Errors'),
serialized_pb=_b('\nBgoogle/ads/googleads_v4/proto/errors/extension_setting_error.proto\x12\x1egoogle.ads.googleads.v4.errors\x1a\x1cgoogle/api/annotations.proto\"\x98\x14\n\x19\x45xtensionSettingErrorEnum\"\xfa\x13\n\x15\x45xtensionSettingError\x12\x0f\n\x0bUNSPECIFIED\x10\x00\x12\x0b\n\x07UNKNOWN\x10\x01\x12\x17\n\x13\x45XTENSIONS_REQUIRED\x10\x02\x12%\n!FEED_TYPE_EXTENSION_TYPE_MISMATCH\x10\x03\x12\x15\n\x11INVALID_FEED_TYPE\x10\x04\x12\x34\n0INVALID_FEED_TYPE_FOR_CUSTOMER_EXTENSION_SETTING\x10\x05\x12%\n!CANNOT_CHANGE_FEED_ITEM_ON_CREATE\x10\x06\x12)\n%CANNOT_UPDATE_NEWLY_CREATED_EXTENSION\x10\x07\x12\x33\n/NO_EXISTING_AD_GROUP_EXTENSION_SETTING_FOR_TYPE\x10\x08\x12\x33\n/NO_EXISTING_CAMPAIGN_EXTENSION_SETTING_FOR_TYPE\x10\t\x12\x33\n/NO_EXISTING_CUSTOMER_EXTENSION_SETTING_FOR_TYPE\x10\n\x12-\n)AD_GROUP_EXTENSION_SETTING_ALREADY_EXISTS\x10\x0b\x12-\n)CAMPAIGN_EXTENSION_SETTING_ALREADY_EXISTS\x10\x0c\x12-\n)CUSTOMER_EXTENSION_SETTING_ALREADY_EXISTS\x10\r\x12\x35\n1AD_GROUP_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE\x10\x0e\x12\x35\n1CAMPAIGN_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE\x10\x0f\x12\x35\n1CUSTOMER_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE\x10\x10\x12\x16\n\x12VALUE_OUT_OF_RANGE\x10\x11\x12$\n CANNOT_SET_FIELD_WITH_FINAL_URLS\x10\x12\x12\x16\n\x12\x46INAL_URLS_NOT_SET\x10\x13\x12\x18\n\x14INVALID_PHONE_NUMBER\x10\x14\x12*\n&PHONE_NUMBER_NOT_SUPPORTED_FOR_COUNTRY\x10\x15\x12-\n)CARRIER_SPECIFIC_SHORT_NUMBER_NOT_ALLOWED\x10\x16\x12#\n\x1fPREMIUM_RATE_NUMBER_NOT_ALLOWED\x10\x17\x12\x1a\n\x16\x44ISALLOWED_NUMBER_TYPE\x10\x18\x12(\n$INVALID_DOMESTIC_PHONE_NUMBER_FORMAT\x10\x19\x12#\n\x1fVANITY_PHONE_NUMBER_NOT_ALLOWED\x10\x1a\x12\x18\n\x14INVALID_COUNTRY_CODE\x10\x1b\x12#\n\x1fINVALID_CALL_CONVERSION_TYPE_ID\x10\x1c\x12-\n)CUSTOMER_NOT_WHITELISTED_FOR_CALLTRACKING\x10\x1d\x12*\n&CALLTRACKING_NOT_SUPPORTED_FOR_COUNTRY\x10\x1e\x12\x12\n\x0eINVALID_APP_ID\x10\x1f\x12&\n\"QUOTES_IN_REVIEW_EXTENSION_SNIPPET\x10 \x12\'\n#HYPHENS_IN_REVIEW_EXTENSION_SNIPPET\x10!\x12(\n$REVIEW_EXTENSION_SOURCE_NOT_ELIGIBLE\x10\"\x12(\n$SOURCE_NAME_IN_REVIEW_EXTENSION_TEXT\x10#\x12\x11\n\rMISSING_FIELD\x10$\x12\x1f\n\x1bINCONSISTENT_CURRENCY_CODES\x10%\x12*\n&PRICE_EXTENSION_HAS_DUPLICATED_HEADERS\x10&\x12\x34\n0PRICE_ITEM_HAS_DUPLICATED_HEADER_AND_DESCRIPTION\x10\'\x12%\n!PRICE_EXTENSION_HAS_TOO_FEW_ITEMS\x10(\x12&\n\"PRICE_EXTENSION_HAS_TOO_MANY_ITEMS\x10)\x12\x15\n\x11UNSUPPORTED_VALUE\x10*\x12\x1d\n\x19INVALID_DEVICE_PREFERENCE\x10+\x12\x18\n\x14INVALID_SCHEDULE_END\x10-\x12*\n&DATE_TIME_MUST_BE_IN_ACCOUNT_TIME_ZONE\x10/\x12%\n!OVERLAPPING_SCHEDULES_NOT_ALLOWED\x10\x30\x12 \n\x1cSCHEDULE_END_NOT_AFTER_START\x10\x31\x12\x1e\n\x1aTOO_MANY_SCHEDULES_PER_DAY\x10\x32\x12&\n\"DUPLICATE_EXTENSION_FEED_ITEM_EDIT\x10\x33\x12\x1b\n\x17INVALID_SNIPPETS_HEADER\x10\x34\x12<\n8PHONE_NUMBER_NOT_SUPPORTED_WITH_CALLTRACKING_FOR_COUNTRY\x10\x35\x12\x1f\n\x1b\x43\x41MPAIGN_TARGETING_MISMATCH\x10\x36\x12\"\n\x1e\x43\x41NNOT_OPERATE_ON_REMOVED_FEED\x10\x37\x12\x1b\n\x17\x45XTENSION_TYPE_REQUIRED\x10\x38\x12-\n)INCOMPATIBLE_UNDERLYING_MATCHING_FUNCTION\x10\x39\x12\x1d\n\x19START_DATE_AFTER_END_DATE\x10:\x12\x18\n\x14INVALID_PRICE_FORMAT\x10;\x12\x1a\n\x16PROMOTION_INVALID_TIME\x10<\x12<\n8PROMOTION_CANNOT_SET_PERCENT_DISCOUNT_AND_MONEY_DISCOUNT\x10=\x12>\n:PROMOTION_CANNOT_SET_PROMOTION_CODE_AND_ORDERS_OVER_AMOUNT\x10>\x12%\n!TOO_MANY_DECIMAL_PLACES_SPECIFIED\x10?\x12\x19\n\x15INVALID_LANGUAGE_CODE\x10@\x12\x18\n\x14UNSUPPORTED_LANGUAGE\x10\x41\x12\x30\n,CUSTOMER_CONSENT_FOR_CALL_RECORDING_REQUIRED\x10\x42\x12&\n\"EXTENSION_SETTING_UPDATE_IS_A_NOOP\x10\x43\x42\xf5\x01\n\"com.google.ads.googleads.v4.errorsB\x1a\x45xtensionSettingErrorProtoP\x01ZDgoogle.golang.org/genproto/googleapis/ads/googleads/v4/errors;errors\xa2\x02\x03GAA\xaa\x02\x1eGoogle.Ads.GoogleAds.V4.Errors\xca\x02\x1eGoogle\\Ads\\GoogleAds\\V4\\Errors\xea\x02\"Google::Ads::GoogleAds::V4::Errorsb\x06proto3')
,
dependencies=[google_dot_api_dot_annotations__pb2.DESCRIPTOR,])
_EXTENSIONSETTINGERRORENUM_EXTENSIONSETTINGERROR = _descriptor.EnumDescriptor(
name='ExtensionSettingError',
full_name='google.ads.googleads.v4.errors.ExtensionSettingErrorEnum.ExtensionSettingError',
filename=None,
file=DESCRIPTOR,
values=[
_descriptor.EnumValueDescriptor(
name='UNSPECIFIED', index=0, number=0,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='UNKNOWN', index=1, number=1,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='EXTENSIONS_REQUIRED', index=2, number=2,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='FEED_TYPE_EXTENSION_TYPE_MISMATCH', index=3, number=3,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_FEED_TYPE', index=4, number=4,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_FEED_TYPE_FOR_CUSTOMER_EXTENSION_SETTING', index=5, number=5,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CANNOT_CHANGE_FEED_ITEM_ON_CREATE', index=6, number=6,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CANNOT_UPDATE_NEWLY_CREATED_EXTENSION', index=7, number=7,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='NO_EXISTING_AD_GROUP_EXTENSION_SETTING_FOR_TYPE', index=8, number=8,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='NO_EXISTING_CAMPAIGN_EXTENSION_SETTING_FOR_TYPE', index=9, number=9,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='NO_EXISTING_CUSTOMER_EXTENSION_SETTING_FOR_TYPE', index=10, number=10,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='AD_GROUP_EXTENSION_SETTING_ALREADY_EXISTS', index=11, number=11,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CAMPAIGN_EXTENSION_SETTING_ALREADY_EXISTS', index=12, number=12,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CUSTOMER_EXTENSION_SETTING_ALREADY_EXISTS', index=13, number=13,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='AD_GROUP_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE', index=14, number=14,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CAMPAIGN_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE', index=15, number=15,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CUSTOMER_FEED_ALREADY_EXISTS_FOR_PLACEHOLDER_TYPE', index=16, number=16,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='VALUE_OUT_OF_RANGE', index=17, number=17,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CANNOT_SET_FIELD_WITH_FINAL_URLS', index=18, number=18,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='FINAL_URLS_NOT_SET', index=19, number=19,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_PHONE_NUMBER', index=20, number=20,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PHONE_NUMBER_NOT_SUPPORTED_FOR_COUNTRY', index=21, number=21,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CARRIER_SPECIFIC_SHORT_NUMBER_NOT_ALLOWED', index=22, number=22,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PREMIUM_RATE_NUMBER_NOT_ALLOWED', index=23, number=23,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='DISALLOWED_NUMBER_TYPE', index=24, number=24,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_DOMESTIC_PHONE_NUMBER_FORMAT', index=25, number=25,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='VANITY_PHONE_NUMBER_NOT_ALLOWED', index=26, number=26,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_COUNTRY_CODE', index=27, number=27,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_CALL_CONVERSION_TYPE_ID', index=28, number=28,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CUSTOMER_NOT_WHITELISTED_FOR_CALLTRACKING', index=29, number=29,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CALLTRACKING_NOT_SUPPORTED_FOR_COUNTRY', index=30, number=30,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_APP_ID', index=31, number=31,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='QUOTES_IN_REVIEW_EXTENSION_SNIPPET', index=32, number=32,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='HYPHENS_IN_REVIEW_EXTENSION_SNIPPET', index=33, number=33,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='REVIEW_EXTENSION_SOURCE_NOT_ELIGIBLE', index=34, number=34,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='SOURCE_NAME_IN_REVIEW_EXTENSION_TEXT', index=35, number=35,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='MISSING_FIELD', index=36, number=36,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INCONSISTENT_CURRENCY_CODES', index=37, number=37,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PRICE_EXTENSION_HAS_DUPLICATED_HEADERS', index=38, number=38,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PRICE_ITEM_HAS_DUPLICATED_HEADER_AND_DESCRIPTION', index=39, number=39,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PRICE_EXTENSION_HAS_TOO_FEW_ITEMS', index=40, number=40,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PRICE_EXTENSION_HAS_TOO_MANY_ITEMS', index=41, number=41,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='UNSUPPORTED_VALUE', index=42, number=42,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_DEVICE_PREFERENCE', index=43, number=43,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_SCHEDULE_END', index=44, number=45,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='DATE_TIME_MUST_BE_IN_ACCOUNT_TIME_ZONE', index=45, number=47,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='OVERLAPPING_SCHEDULES_NOT_ALLOWED', index=46, number=48,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='SCHEDULE_END_NOT_AFTER_START', index=47, number=49,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='TOO_MANY_SCHEDULES_PER_DAY', index=48, number=50,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='DUPLICATE_EXTENSION_FEED_ITEM_EDIT', index=49, number=51,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_SNIPPETS_HEADER', index=50, number=52,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PHONE_NUMBER_NOT_SUPPORTED_WITH_CALLTRACKING_FOR_COUNTRY', index=51, number=53,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CAMPAIGN_TARGETING_MISMATCH', index=52, number=54,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CANNOT_OPERATE_ON_REMOVED_FEED', index=53, number=55,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='EXTENSION_TYPE_REQUIRED', index=54, number=56,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INCOMPATIBLE_UNDERLYING_MATCHING_FUNCTION', index=55, number=57,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='START_DATE_AFTER_END_DATE', index=56, number=58,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_PRICE_FORMAT', index=57, number=59,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PROMOTION_INVALID_TIME', index=58, number=60,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PROMOTION_CANNOT_SET_PERCENT_DISCOUNT_AND_MONEY_DISCOUNT', index=59, number=61,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='PROMOTION_CANNOT_SET_PROMOTION_CODE_AND_ORDERS_OVER_AMOUNT', index=60, number=62,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='TOO_MANY_DECIMAL_PLACES_SPECIFIED', index=61, number=63,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='INVALID_LANGUAGE_CODE', index=62, number=64,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='UNSUPPORTED_LANGUAGE', index=63, number=65,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='CUSTOMER_CONSENT_FOR_CALL_RECORDING_REQUIRED', index=64, number=66,
serialized_options=None,
type=None),
_descriptor.EnumValueDescriptor(
name='EXTENSION_SETTING_UPDATE_IS_A_NOOP', index=65, number=67,
serialized_options=None,
type=None),
],
containing_type=None,
serialized_options=None,
serialized_start=163,
serialized_end=2717,
)
_sym_db.RegisterEnumDescriptor(_EXTENSIONSETTINGERRORENUM_EXTENSIONSETTINGERROR)
_EXTENSIONSETTINGERRORENUM = _descriptor.Descriptor(
name='ExtensionSettingErrorEnum',
full_name='google.ads.googleads.v4.errors.ExtensionSettingErrorEnum',
filename=None,
file=DESCRIPTOR,
containing_type=None,
fields=[
],
extensions=[
],
nested_types=[],
enum_types=[
_EXTENSIONSETTINGERRORENUM_EXTENSIONSETTINGERROR,
],
serialized_options=None,
is_extendable=False,
syntax='proto3',
extension_ranges=[],
oneofs=[
],
serialized_start=133,
serialized_end=2717,
)
_EXTENSIONSETTINGERRORENUM_EXTENSIONSETTINGERROR.containing_type = _EXTENSIONSETTINGERRORENUM
DESCRIPTOR.message_types_by_name['ExtensionSettingErrorEnum'] = _EXTENSIONSETTINGERRORENUM
_sym_db.RegisterFileDescriptor(DESCRIPTOR)
ExtensionSettingErrorEnum = _reflection.GeneratedProtocolMessageType('ExtensionSettingErrorEnum', (_message.Message,), dict(
DESCRIPTOR = _EXTENSIONSETTINGERRORENUM,
__module__ = 'google.ads.googleads_v4.proto.errors.extension_setting_error_pb2'
,
__doc__ = """Container for enum describing validation errors of extension settings.
""",
# @@protoc_insertion_point(class_scope:google.ads.googleads.v4.errors.ExtensionSettingErrorEnum)
))
_sym_db.RegisterMessage(ExtensionSettingErrorEnum)
DESCRIPTOR._options = None
# @@protoc_insertion_point(module_scope)
| [
"noreply@github.com"
] | noreply@github.com |
eaa3af01316e70493317fc5e190e308304501276 | 5949db57f8de8278359f45fe64395f44017671bc | /blog/migrations/0002_auto_20180122_0552.py | fdc4f73978db4766bafa256495e6be4132467df4 | [] | no_license | andrewidya/personal_blog | 71ed6b83ac3c594fa40b9fb40145af3e37dd3079 | c64df84f65dafd03ac05cf222fc113416e6926d5 | refs/heads/master | 2020-04-08T16:39:30.559072 | 2018-11-28T16:20:48 | 2018-11-28T16:20:48 | 159,528,638 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,244 | py | # -*- coding: utf-8 -*-
# Generated by Django 1.11.8 on 2018-01-22 05:52
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
import modelcluster.fields
class Migration(migrations.Migration):
dependencies = [
('blog', '0001_initial'),
]
operations = [
migrations.CreateModel(
name='RelatedPage',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
],
),
migrations.RemoveField(
model_name='blogpage',
name='related_pages',
),
migrations.AddField(
model_name='relatedpage',
name='page_from',
field=modelcluster.fields.ParentalKey(on_delete=django.db.models.deletion.CASCADE, related_name='related_page_from', to='blog.BlogPage', verbose_name='Page From'),
),
migrations.AddField(
model_name='relatedpage',
name='page_to',
field=modelcluster.fields.ParentalKey(on_delete=django.db.models.deletion.CASCADE, related_name='related_page_to', to='blog.BlogPage', verbose_name='Page To'),
),
]
| [
"andrywidyaputra@gmail.com"
] | andrywidyaputra@gmail.com |
19d77ff93d47e88cd72b1dc21cb2fa461a398f79 | b5fd5893bcbfb6e30b77099bf979cd9910f1bc33 | /navspider/spiders/YoukuTv.py | 058cf769c059b9a7e0498f4bac451819c1a56f86 | [] | no_license | dolfly/navsrv | 1ffe931000cf6b4865993651d22c5a979edb00d5 | 8471c3a588843076fe9673e74ee21c740df23b19 | refs/heads/master | 2021-05-19T03:12:22.549624 | 2013-12-20T16:48:17 | 2013-12-20T16:48:17 | 13,409,287 | 0 | 0 | null | 2020-06-16T05:46:55 | 2013-10-08T09:39:03 | Python | UTF-8 | Python | false | false | 794 | py | from scrapy.selector import HtmlXPathSelector
from scrapy.contrib.linkextractors.sgml import SgmlLinkExtractor
from scrapy.contrib.spiders import CrawlSpider, Rule
from navspider.items import NavspiderItem
class YoukutvSpider(CrawlSpider):
name = 'YoukuTv'
allowed_domains = ['tv.youku.com']
start_urls = ['http://www.tv.youku.com/']
rules = (
Rule(SgmlLinkExtractor(allow=r'Items/'), callback='parse_item', follow=True),
)
def parse_item(self, response):
hxs = HtmlXPathSelector(response)
i = NavspiderItem()
#i['domain_id'] = hxs.select('//input[@id="sid"]/@value').extract()
#i['name'] = hxs.select('//div[@id="name"]').extract()
#i['description'] = hxs.select('//div[@id="description"]').extract()
return i
| [
"dolfly@foxmail.com"
] | dolfly@foxmail.com |
d821ed2e246abaa87bf4ed7bfacce39652084ae5 | 5fc0ed545e687e878fcb750e16cce0067f084a25 | /FaceRecognitionOpenCV.py | f037dd0535618604da25bdb38417e75a9c5f507f | [] | no_license | souzahw/FacialRecognition | fa33cff67c6bf19de067dfc9ddf9bc157ed4e246 | 369333d64322dddbc9d83b19c47d901c90fd7a89 | refs/heads/master | 2022-11-11T10:24:45.638456 | 2020-07-02T02:52:11 | 2020-07-02T02:52:11 | 276,530,821 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,370 | py | import cv2
from azure.cognitiveservices.vision.face import FaceClient
from msrest.authentication import CognitiveServicesCredentials
import os
import io
face_key = '300a5f6336924cfd964eae736e2792ac'
face_enpoint = 'https://faceopencv.cognitiveservices.azure.com/'
cred = CognitiveServicesCredentials(face_key)
client = FaceClient(face_enpoint,cred)
face_cascade = cv2.CascadeClassifier(cv2.data.haarcascades + "haarcascade_frontalface_default.xml")
video_capture = cv2.VideoCapture(0)
while True:
ret, frame = video_capture.read()
gray = cv2.cvtColor(frame, cv2.COLOR_BGR2GRAY)
faces = face_cascade.detectMultiScale(gray, 1.1, 1, False, (200,200))
for(x, y, w, h) in faces:
cv2.rectangle(frame, (x, y), (x+w, y+h), (0, 255, 0), 2)
font = cv2.FONT_HERSHEY_SIMPLEX
name = "x:" + str(w) + " y" + str(h)
color = (0,255,0)
storke = 1
cv2.putText(frame, name,(x,y),font,1,color,storke,cv2.LINE_AA)
crop_face = frame[y:y+h, x:x+w]
ret,buf = cv2.imencode('.jpg', crop_face)
stream = io.BytesIO(buf)
detected_faces = client.face.detect_with_stream(stream, return_face_id=True, return_face_attributes=['age','gender','emotion'])
##a=1
cv2.imshow('Video', frame)
if cv2.waitKey(1) & 0xFF == ord('q'):
break
video_capture.release()
cv2.destroyAllWindows() | [
"dev.leonardosouza@gmail.com"
] | dev.leonardosouza@gmail.com |
268d1dbd768dd30c54fd88b40dc5a1c9d5fb4fc5 | 72805b9e8115e3bcc51cc9e8b5f478f26d0272da | /go_to_dhcp/IP.py | 8183e4043d45449905a5e3ec50af10f56d1a5e53 | [] | no_license | evbedarev/networkScripts | 4d3e344425daa3b4b8b6686419b8e7adf7d5bb25 | b6b5b05e53f7f9b1267a4ffd47fe831ec2abe2dc | refs/heads/master | 2020-04-12T09:57:24.297314 | 2019-03-13T09:02:08 | 2019-03-13T09:02:08 | 162,414,109 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 365 | py |
class IpMac():
ip = "";
mac = "";
username = "";
switch = "";
port = "";
dhcp_enabled = 0;
def __init__(self, ip, mac, username, switch, port, dhcp_enabled):
self.ip = ip;
self.mac = mac;
self.username = username;
self.switch = switch;
self.port = port;
self.dhcp_enabled = dhcp_enabled; | [
"madjo85@yandex.ru"
] | madjo85@yandex.ru |
08bc7ac171d03c04a7d2be66fda29071782ae2ef | b81606cfaf8e8f778a27f3fd345229def6167177 | /lesson/lesson-28/save_checkpoint.py | fd12c073838306a2f417849c25d6cf44b5261dfa | [] | no_license | Longer430/hello_pytorch | 0cdff1eaca9219946b8d2ed929c1c173a5baccb2 | 1c822c3cdcf3a111c633bac6186eebdc274b4f63 | refs/heads/master | 2022-12-06T16:55:14.824804 | 2020-08-28T15:49:58 | 2020-08-28T15:49:58 | 289,810,527 | 9 | 3 | null | 2020-08-26T02:57:25 | 2020-08-24T02:41:36 | Python | UTF-8 | Python | false | false | 5,609 | py | # -*- coding: utf-8 -*-
"""
# @file name : save_checkpoint.py
# @author : TingsongYu https://github.com/TingsongYu
# @date : 2019-11-04
# @brief : 模拟训练意外停止
"""
import os
import random
import numpy as np
import torch
import torch.nn as nn
from torch.utils.data import DataLoader
import torchvision.transforms as transforms
import torch.optim as optim
from PIL import Image
from matplotlib import pyplot as plt
import sys
hello_pytorch_DIR = os.path.abspath(os.path.dirname(__file__)+os.path.sep+".."+os.path.sep+"..")
sys.path.append(hello_pytorch_DIR)
from model.lenet import LeNet
from tools.my_dataset import RMBDataset
from tools.common_tools import set_seed
import torchvision
set_seed(1) # 设置随机种子
rmb_label = {"1": 0, "100": 1}
# 参数设置
checkpoint_interval = 5
MAX_EPOCH = 10
BATCH_SIZE = 16
LR = 0.01
log_interval = 10
val_interval = 1
# ============================ step 1/5 数据 ============================
BASE_DIR = os.path.dirname(os.path.abspath(__file__))
split_dir = os.path.abspath(os.path.join(BASE_DIR, "..", "..", "data", "rmb_split"))
train_dir = os.path.join(split_dir, "train")
valid_dir = os.path.join(split_dir, "valid")
if not os.path.exists(split_dir):
raise Exception(r"数据 {} 不存在, 回到lesson-06\1_split_dataset.py生成数据".format(split_dir))
norm_mean = [0.485, 0.456, 0.406]
norm_std = [0.229, 0.224, 0.225]
train_transform = transforms.Compose([
transforms.Resize((32, 32)),
transforms.RandomCrop(32, padding=4),
transforms.RandomGrayscale(p=0.8),
transforms.ToTensor(),
transforms.Normalize(norm_mean, norm_std),
])
valid_transform = transforms.Compose([
transforms.Resize((32, 32)),
transforms.ToTensor(),
transforms.Normalize(norm_mean, norm_std),
])
# 构建MyDataset实例
train_data = RMBDataset(data_dir=train_dir, transform=train_transform)
valid_data = RMBDataset(data_dir=valid_dir, transform=valid_transform)
# 构建DataLoder
train_loader = DataLoader(dataset=train_data, batch_size=BATCH_SIZE, shuffle=True)
valid_loader = DataLoader(dataset=valid_data, batch_size=BATCH_SIZE)
# ============================ step 2/5 模型 ============================
net = LeNet(classes=2)
net.initialize_weights()
# ============================ step 3/5 损失函数 ============================
criterion = nn.CrossEntropyLoss() # 选择损失函数
# ============================ step 4/5 优化器 ============================
optimizer = optim.SGD(net.parameters(), lr=LR, momentum=0.9) # 选择优化器
scheduler = torch.optim.lr_scheduler.StepLR(optimizer, step_size=6, gamma=0.1) # 设置学习率下降策略
# ============================ step 5/5 训练 ============================
train_curve = list()
valid_curve = list()
start_epoch = -1
for epoch in range(start_epoch+1, MAX_EPOCH):
loss_mean = 0.
correct = 0.
total = 0.
net.train()
for i, data in enumerate(train_loader):
# forward
inputs, labels = data
outputs = net(inputs)
# backward
optimizer.zero_grad()
loss = criterion(outputs, labels)
loss.backward()
# update weights
optimizer.step()
# 统计分类情况
_, predicted = torch.max(outputs.data, 1)
total += labels.size(0)
correct += (predicted == labels).squeeze().sum().numpy()
# 打印训练信息
loss_mean += loss.item()
train_curve.append(loss.item())
if (i+1) % log_interval == 0:
loss_mean = loss_mean / log_interval
print("Training:Epoch[{:0>3}/{:0>3}] Iteration[{:0>3}/{:0>3}] Loss: {:.4f} Acc:{:.2%}".format(
epoch, MAX_EPOCH, i+1, len(train_loader), loss_mean, correct / total))
loss_mean = 0.
scheduler.step() # 更新学习率
if (epoch+1) % checkpoint_interval == 0:
checkpoint = {"model_state_dict": net.state_dict(),
"optimizer_state_dict": optimizer.state_dict(),
"epoch": epoch}
path_checkpoint = "./checkpoint_{}_epoch.pkl".format(epoch)
torch.save(checkpoint, path_checkpoint)
if epoch > 5:
print("训练意外中断...")
break
# validate the model
if (epoch+1) % val_interval == 0:
correct_val = 0.
total_val = 0.
loss_val = 0.
net.eval()
with torch.no_grad():
for j, data in enumerate(valid_loader):
inputs, labels = data
outputs = net(inputs)
loss = criterion(outputs, labels)
_, predicted = torch.max(outputs.data, 1)
total_val += labels.size(0)
correct_val += (predicted == labels).squeeze().sum().numpy()
loss_val += loss.item()
valid_curve.append(loss.item())
print("Valid:\t Epoch[{:0>3}/{:0>3}] Iteration[{:0>3}/{:0>3}] Loss: {:.4f} Acc:{:.2%}".format(
epoch, MAX_EPOCH, j+1, len(valid_loader), loss_val/len(valid_loader), correct / total))
train_x = range(len(train_curve))
train_y = train_curve
train_iters = len(train_loader)
valid_x = np.arange(1, len(valid_curve)+1) * train_iters*val_interval # 由于valid中记录的是epochloss,需要对记录点进行转换到iterations
valid_y = valid_curve
plt.plot(train_x, train_y, label='Train')
plt.plot(valid_x, valid_y, label='Valid')
plt.legend(loc='upper right')
plt.ylabel('loss value')
plt.xlabel('Iteration')
plt.show()
| [
"longwenting@gmail.com"
] | longwenting@gmail.com |
30a6d8064649b0775fb59634e6cb96afed8009cf | 08db8123b40e5fc89f16eb9789c2c4fa1c49c475 | /itassets/migrations/0001_initial.py | b41917027d863436a33308cf568c1f91a6695067 | [] | no_license | czhwu/assets | f45459eeee98287100b55832874a64463faae3b6 | b99f783267dcf14face308fb96367d51b057ea6c | refs/heads/master | 2020-09-18T17:51:36.391230 | 2016-09-08T11:39:55 | 2016-09-08T11:39:55 | 67,697,928 | 1 | 1 | null | null | null | null | UTF-8 | Python | false | false | 1,839 | py | # -*- coding: utf-8 -*-
# Generated by Django 1.10.1 on 2016-09-05 12:25
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
]
operations = [
migrations.CreateModel(
name='Assets',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('fid', models.IntegerField()),
('fgdzc', models.CharField(max_length=20)),
('fname', models.CharField(max_length=50)),
('fdate', models.DateTimeField()),
('fuser', models.CharField(max_length=50)),
('fdep', models.CharField(max_length=50)),
('fip', models.GenericIPAddressField()),
('fdate_rz', models.DateField()),
('fdate_bf', models.DateField()),
('smark', models.BooleanField()),
('fstore', models.CharField(max_length=50)),
('fuserold', models.CharField(max_length=50)),
('f1', models.CharField(max_length=30)),
('f2', models.CharField(max_length=30)),
('fdate_ys', models.DateField()),
],
),
migrations.CreateModel(
name='State',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('name', models.CharField(max_length=10)),
],
),
migrations.AddField(
model_name='assets',
name='fstate',
field=models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='itassets.State'),
),
]
| [
"cal@cmsll.xyz"
] | cal@cmsll.xyz |
88dbad275ecf1ae16495151244e33ac232cf8f17 | 0a67ea7b95ed3182a8142cdb4f2e97d5c25268fd | /MySQLModule.py | 34062f93465bcc8c617886723f0e66fe28fb7306 | [] | no_license | BrainLyh/service-scan | 2e17502ea6afb939442bb89be339ef59172472c6 | 5be2037aa8e883124367b0a197defca218bc4362 | refs/heads/master | 2020-12-05T03:58:07.974570 | 2020-01-06T02:07:41 | 2020-01-06T02:07:41 | 232,003,398 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 3,833 | py | import pymysql
import socket
import time
from datetime import datetime
from multiprocessing.dummy import Pool as ThreadPool
class MySQL(object):
def __init__(self):
self.save_path = "./result.txt"
self.ip_list = []
def port_scan(self, ip):
t1 = datetime.now()
print("[+] Testing ports of : " + str(ip) + "\n")
# scan_port(line.strip())
url1 = ip
# 测试mysql端口是否开放
sk = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sk.settimeout(1)
try:
res = sk.connect_ex((ip, 3306))
if res == 0:
print("\n[+] " + str(url1) + "\'s Mysql is ok! try to login...\r\n")
self.try_login_sqlserver(url1)
except Exception as e:
print("\n[-] " + str(url1) + "\'s Mysql is bad! " + e + "\r\n")
sk.close()
return
# 尝试登陆mysql服务
def try_login_sqlserver(self, ip):
with open('dict.txt', 'r') as f:
for line in f.readlines():
print("[+] Testing ip: " + str(ip) + " & testing password:" + line.strip())
# information_schema 是 Mysql 的默认数据库,我们有权限操作
# PyMysql.cursors.DictCursor 以字典方式进行连接参数管理
try:
connection = pymysql.connect(host=ip,
user='root',
password=line.strip(),
db='information_schema',
charset='utf8mb4',
cursorclass=pymysql.cursors.DictCursor)
print("\n[+] Testing ip: " + str(ip) + " Login successfully! try to set a backdoor account...\r\n")
result_list = "\nsql service -- " + str(time.asctime()) + " ip: " + str(ip) + " pwd : " + \
str(line.strip())
self.save_result(result_list)
# 后门账号密码为 admin 123456
self.try_set_backdoor(connection)
connection.close()
except Exception as e:
# print "[-] " + str(e.message)
print("\n[+] Testing ip: " + str(ip) + " Using weakly password login failed!..." + str(e) + "\r\n")
pass
return
def try_set_backdoor(self, connection):
try:
with connection.cursor() as cursor:
# 创建一个新用户
sql = "CREATE user 'admin'@'%' identified by '123456';"
cursor.execute(sql)
# 将后门用户权限给到最大
cursor.execute("flush privileges;")
connection.commit()
connection.close()
print("[+] New account set successfully!\r\n")
except Exception as e:
# print e
print("[-] New account set failed! " + str(e) + '\r\n')
return
def save_result(self, result_list):
s = open(self.save_path, "a")
s.write(result_list)
s.close()
return
def threadpool(self):
with open('iprange.txt', 'rb') as f:
for line in f.readlines():
self.ip_list.append(line.strip())
print(self.ip_list)
t1 = datetime.now()
# 线程数为20
pool = ThreadPool(processes=20)
try:
pool.map(self.port_scan, self.ip_list)
except Exception as e:
print(e)
pool.close()
pool.join()
print('Multiprocess Scanning Completed in ', datetime.now() - t1)
# port_scan(save_path="./result.txt")
return
| [
"noreply@github.com"
] | noreply@github.com |
520ed8b32524fc53f96756d1f4b1172da5240464 | b1153d2355935699c8dd709862e51b10f966f977 | /p2.py | e680fddffcc4860af8f3589c8dcb708448456b1a | [] | no_license | vikash990/Australia | 3e328be8b52e8edb9d50784ddcc6e4a136ef6a90 | 1d6e6f6ff2f3fbdbcd4bb25e02a4d1c350f4f4ae | refs/heads/master | 2022-11-28T07:10:43.852301 | 2020-08-13T09:24:51 | 2020-08-13T09:24:51 | 287,198,923 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,323 | py | """
Program 2: Use while(condition controlled),
for(count controlled) loop in programs or
nested looping
"""
#Implementation: Print factorials of all numbers between 1 to 10
count=int(input("enter the number to print factorial series"))
#nested loop
for i in range(1,2*count+1): #count controlled for loop
factorial=1
factor=i
if i==count: # If statement to ask user to if he want to continue or not
print("Do you want to continue?")
choice=input("Enter the choice Yes to continueor No to discontinue") # taking input from the user
if choice=="Yes" or "yes": # if yes then we will continue
continue
elif choice=="No " or "no": # if no then we will break
break
else:
print("Wrong Choice") # if choice is wrong then we will give output wrong choice
while(factor>=1): #condition controlled while loop
factorial*=factor
factor-=1
print("Factorial of",i,"is",factorial) #prints factorial of the ith number
| [
"dubey.amansus@gmail.com"
] | dubey.amansus@gmail.com |
917df9ec30bdcf84c1feb9ac0d3673277dd42b15 | f487b38698318bc531133181c9d6fbc68093c22d | /panGraphViewerApp/scripts/NodeShapesUI.py | 6a1748896c9a1a7646061776eff196fca318a31c | [
"MIT"
] | permissive | TrendingTechnology/panGraphViewer | 6ba24eb370d922c9d40c3db1015f4c2930455553 | 0354648922725f2a6e70f3c315e5cac9f27bd857 | refs/heads/main | 2023-07-09T07:46:47.752033 | 2021-08-07T03:18:42 | 2021-08-07T03:18:42 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 38,407 | py | # -*- coding: utf-8 -*-
# Form implementation generated from reading ui file 'NodeShapes.ui'
#
# Created by: PyQt5 UI code generator 5.12.3
#
# WARNING! All changes made in this file will be lost!
from PyQt5 import QtCore, QtGui, QtWidgets
class Ui_nodeShapes(object):
def setupUi(self, nodeShapes):
nodeShapes.setObjectName("nodeShapes")
nodeShapes.resize(350, 665)
nodeShapes.setMinimumSize(QtCore.QSize(350, 665))
nodeShapes.setMaximumSize(QtCore.QSize(350, 665))
self.label = QtWidgets.QLabel(nodeShapes)
self.label.setGeometry(QtCore.QRect(10, 10, 311, 25))
self.label.setMinimumSize(QtCore.QSize(0, 25))
font = QtGui.QFont()
font.setPointSize(12)
font.setBold(True)
font.setWeight(75)
self.label.setFont(font)
self.label.setObjectName("label")
self.gridLayoutWidget = QtWidgets.QWidget(nodeShapes)
self.gridLayoutWidget.setGeometry(QtCore.QRect(10, 80, 331, 213))
self.gridLayoutWidget.setObjectName("gridLayoutWidget")
self.gridLayout = QtWidgets.QGridLayout(self.gridLayoutWidget)
self.gridLayout.setContentsMargins(0, 0, 0, 0)
self.gridLayout.setObjectName("gridLayout")
self.label_2 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_2.setMinimumSize(QtCore.QSize(120, 0))
self.label_2.setObjectName("label_2")
self.gridLayout.addWidget(self.label_2, 0, 0, 1, 1)
self.label_4 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_4.setMinimumSize(QtCore.QSize(0, 25))
self.label_4.setObjectName("label_4")
self.gridLayout.addWidget(self.label_4, 2, 0, 1, 1)
self.label_5 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_5.setMinimumSize(QtCore.QSize(0, 25))
self.label_5.setObjectName("label_5")
self.gridLayout.addWidget(self.label_5, 3, 0, 1, 1)
self.label_6 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_6.setMinimumSize(QtCore.QSize(0, 25))
self.label_6.setObjectName("label_6")
self.gridLayout.addWidget(self.label_6, 4, 0, 1, 1)
self.label_7 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_7.setMinimumSize(QtCore.QSize(0, 25))
self.label_7.setObjectName("label_7")
self.gridLayout.addWidget(self.label_7, 5, 0, 1, 1)
self.visBB = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visBB.setMinimumSize(QtCore.QSize(0, 25))
self.visBB.setObjectName("visBB")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.visBB.addItem("")
self.gridLayout.addWidget(self.visBB, 0, 2, 1, 1)
self.label_3 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_3.setObjectName("label_3")
self.gridLayout.addWidget(self.label_3, 1, 0, 1, 1)
self.label_8 = QtWidgets.QLabel(self.gridLayoutWidget)
self.label_8.setMinimumSize(QtCore.QSize(0, 25))
self.label_8.setObjectName("label_8")
self.gridLayout.addWidget(self.label_8, 6, 0, 1, 1)
spacerItem = QtWidgets.QSpacerItem(70, 20, QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Minimum)
self.gridLayout.addItem(spacerItem, 0, 1, 1, 1)
self.visSNP = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visSNP.setMinimumSize(QtCore.QSize(0, 25))
self.visSNP.setObjectName("visSNP")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.visSNP.addItem("")
self.gridLayout.addWidget(self.visSNP, 1, 2, 1, 1)
self.visDEL = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visDEL.setMinimumSize(QtCore.QSize(0, 25))
self.visDEL.setObjectName("visDEL")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.visDEL.addItem("")
self.gridLayout.addWidget(self.visDEL, 2, 2, 1, 1)
self.visINS = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visINS.setMinimumSize(QtCore.QSize(0, 25))
self.visINS.setObjectName("visINS")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.visINS.addItem("")
self.gridLayout.addWidget(self.visINS, 3, 2, 1, 1)
self.visINV = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visINV.setMinimumSize(QtCore.QSize(0, 25))
self.visINV.setObjectName("visINV")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.visINV.addItem("")
self.gridLayout.addWidget(self.visINV, 4, 2, 1, 1)
self.visDUP = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visDUP.setMinimumSize(QtCore.QSize(0, 25))
self.visDUP.setObjectName("visDUP")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.visDUP.addItem("")
self.gridLayout.addWidget(self.visDUP, 5, 2, 1, 1)
self.visTRANS = QtWidgets.QComboBox(self.gridLayoutWidget)
self.visTRANS.setMinimumSize(QtCore.QSize(0, 25))
self.visTRANS.setObjectName("visTRANS")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.visTRANS.addItem("")
self.gridLayout.addWidget(self.visTRANS, 6, 2, 1, 1)
self.gridLayoutWidget_2 = QtWidgets.QWidget(nodeShapes)
self.gridLayoutWidget_2.setGeometry(QtCore.QRect(10, 590, 331, 58))
self.gridLayoutWidget_2.setObjectName("gridLayoutWidget_2")
self.gridLayout_2 = QtWidgets.QGridLayout(self.gridLayoutWidget_2)
self.gridLayout_2.setContentsMargins(0, 0, 0, 0)
self.gridLayout_2.setObjectName("gridLayout_2")
self.reset = QtWidgets.QPushButton(self.gridLayoutWidget_2)
self.reset.setMinimumSize(QtCore.QSize(0, 25))
self.reset.setMaximumSize(QtCore.QSize(40, 16777215))
self.reset.setObjectName("reset")
self.gridLayout_2.addWidget(self.reset, 1, 2, 1, 1)
self.label_9 = QtWidgets.QLabel(self.gridLayoutWidget_2)
self.label_9.setMinimumSize(QtCore.QSize(0, 25))
self.label_9.setMaximumSize(QtCore.QSize(215, 16777215))
self.label_9.setObjectName("label_9")
self.gridLayout_2.addWidget(self.label_9, 0, 0, 1, 1)
self.change = QtWidgets.QPushButton(self.gridLayoutWidget_2)
self.change.setMinimumSize(QtCore.QSize(0, 25))
self.change.setMaximumSize(QtCore.QSize(40, 16777215))
self.change.setObjectName("change")
self.gridLayout_2.addWidget(self.change, 1, 1, 1, 1)
self.verticalLayoutWidget = QtWidgets.QWidget(nodeShapes)
self.verticalLayoutWidget.setGeometry(QtCore.QRect(10, 40, 331, 31))
self.verticalLayoutWidget.setObjectName("verticalLayoutWidget")
self.verticalLayout = QtWidgets.QVBoxLayout(self.verticalLayoutWidget)
self.verticalLayout.setContentsMargins(0, 0, 0, 0)
self.verticalLayout.setObjectName("verticalLayout")
self.label_10 = QtWidgets.QLabel(self.verticalLayoutWidget)
sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Expanding)
sizePolicy.setHorizontalStretch(0)
sizePolicy.setVerticalStretch(0)
sizePolicy.setHeightForWidth(self.label_10.sizePolicy().hasHeightForWidth())
self.label_10.setSizePolicy(sizePolicy)
font = QtGui.QFont()
font.setPointSize(10)
font.setBold(True)
font.setWeight(75)
self.label_10.setFont(font)
self.label_10.setObjectName("label_10")
self.verticalLayout.addWidget(self.label_10)
self.verticalLayoutWidget_2 = QtWidgets.QWidget(nodeShapes)
self.verticalLayoutWidget_2.setGeometry(QtCore.QRect(10, 300, 331, 41))
self.verticalLayoutWidget_2.setObjectName("verticalLayoutWidget_2")
self.verticalLayout_2 = QtWidgets.QVBoxLayout(self.verticalLayoutWidget_2)
self.verticalLayout_2.setContentsMargins(0, 0, 0, 0)
self.verticalLayout_2.setObjectName("verticalLayout_2")
self.label_11 = QtWidgets.QLabel(self.verticalLayoutWidget_2)
sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Expanding)
sizePolicy.setHorizontalStretch(0)
sizePolicy.setVerticalStretch(0)
sizePolicy.setHeightForWidth(self.label_11.sizePolicy().hasHeightForWidth())
self.label_11.setSizePolicy(sizePolicy)
font = QtGui.QFont()
font.setPointSize(10)
font.setBold(True)
font.setWeight(75)
self.label_11.setFont(font)
self.label_11.setObjectName("label_11")
self.verticalLayout_2.addWidget(self.label_11)
self.gridLayoutWidget_3 = QtWidgets.QWidget(nodeShapes)
self.gridLayoutWidget_3.setGeometry(QtCore.QRect(10, 350, 331, 231))
self.gridLayoutWidget_3.setObjectName("gridLayoutWidget_3")
self.gridLayout_3 = QtWidgets.QGridLayout(self.gridLayoutWidget_3)
self.gridLayout_3.setContentsMargins(0, 0, 0, 0)
self.gridLayout_3.setObjectName("gridLayout_3")
self.label_16 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_16.setMinimumSize(QtCore.QSize(0, 25))
self.label_16.setObjectName("label_16")
self.gridLayout_3.addWidget(self.label_16, 4, 0, 1, 1)
self.label_14 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_14.setMinimumSize(QtCore.QSize(0, 25))
self.label_14.setObjectName("label_14")
self.gridLayout_3.addWidget(self.label_14, 2, 0, 1, 1)
self.label_12 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_12.setMinimumSize(QtCore.QSize(120, 25))
self.label_12.setObjectName("label_12")
self.gridLayout_3.addWidget(self.label_12, 0, 0, 1, 1)
self.label_17 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_17.setMinimumSize(QtCore.QSize(0, 25))
self.label_17.setObjectName("label_17")
self.gridLayout_3.addWidget(self.label_17, 5, 0, 1, 1)
self.label_13 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_13.setMinimumSize(QtCore.QSize(0, 25))
self.label_13.setObjectName("label_13")
self.gridLayout_3.addWidget(self.label_13, 1, 0, 1, 1)
self.label_15 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_15.setMinimumSize(QtCore.QSize(0, 25))
self.label_15.setObjectName("label_15")
self.gridLayout_3.addWidget(self.label_15, 3, 0, 1, 1)
self.cyBB = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyBB.setMinimumSize(QtCore.QSize(0, 25))
self.cyBB.setObjectName("cyBB")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.cyBB.addItem("")
self.gridLayout_3.addWidget(self.cyBB, 0, 2, 1, 1)
spacerItem1 = QtWidgets.QSpacerItem(70, 20, QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Minimum)
self.gridLayout_3.addItem(spacerItem1, 0, 1, 1, 1)
self.label_18 = QtWidgets.QLabel(self.gridLayoutWidget_3)
self.label_18.setMinimumSize(QtCore.QSize(0, 25))
self.label_18.setObjectName("label_18")
self.gridLayout_3.addWidget(self.label_18, 6, 0, 1, 1)
self.cySNP = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cySNP.setMinimumSize(QtCore.QSize(0, 25))
self.cySNP.setObjectName("cySNP")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.cySNP.addItem("")
self.gridLayout_3.addWidget(self.cySNP, 1, 2, 1, 1)
self.cyDEL = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyDEL.setMinimumSize(QtCore.QSize(0, 25))
self.cyDEL.setObjectName("cyDEL")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.cyDEL.addItem("")
self.gridLayout_3.addWidget(self.cyDEL, 2, 2, 1, 1)
self.cyINS = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyINS.setMinimumSize(QtCore.QSize(0, 25))
self.cyINS.setObjectName("cyINS")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.cyINS.addItem("")
self.gridLayout_3.addWidget(self.cyINS, 3, 2, 1, 1)
self.cyINV = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyINV.setMinimumSize(QtCore.QSize(0, 25))
self.cyINV.setObjectName("cyINV")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.cyINV.addItem("")
self.gridLayout_3.addWidget(self.cyINV, 4, 2, 1, 1)
self.cyDUP = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyDUP.setMinimumSize(QtCore.QSize(0, 25))
self.cyDUP.setObjectName("cyDUP")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.cyDUP.addItem("")
self.gridLayout_3.addWidget(self.cyDUP, 5, 2, 1, 1)
self.cyTRANS = QtWidgets.QComboBox(self.gridLayoutWidget_3)
self.cyTRANS.setMinimumSize(QtCore.QSize(0, 25))
self.cyTRANS.setObjectName("cyTRANS")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.cyTRANS.addItem("")
self.gridLayout_3.addWidget(self.cyTRANS, 6, 2, 1, 1)
self.retranslateUi(nodeShapes)
QtCore.QMetaObject.connectSlotsByName(nodeShapes)
def retranslateUi(self, nodeShapes):
_translate = QtCore.QCoreApplication.translate
nodeShapes.setWindowTitle(_translate("nodeShapes", "Node Shapes"))
self.label.setText(_translate("nodeShapes", "Node shapes showing in the graph"))
self.label_2.setText(_translate("nodeShapes", "Backbone Nodes"))
self.label_4.setText(_translate("nodeShapes", "Deletion "))
self.label_5.setText(_translate("nodeShapes", "Insertion"))
self.label_6.setText(_translate("nodeShapes", "Inversion"))
self.label_7.setText(_translate("nodeShapes", "Duplication"))
self.visBB.setItemText(0, _translate("nodeShapes", "dot"))
self.visBB.setItemText(1, _translate("nodeShapes", "ellipse"))
self.visBB.setItemText(2, _translate("nodeShapes", "circle"))
self.visBB.setItemText(3, _translate("nodeShapes", "database"))
self.visBB.setItemText(4, _translate("nodeShapes", "box"))
self.visBB.setItemText(5, _translate("nodeShapes", "text"))
self.visBB.setItemText(6, _translate("nodeShapes", "diamond"))
self.visBB.setItemText(7, _translate("nodeShapes", "star"))
self.visBB.setItemText(8, _translate("nodeShapes", "triangle"))
self.visBB.setItemText(9, _translate("nodeShapes", "trangleDown"))
self.label_3.setText(_translate("nodeShapes", "SNP"))
self.label_8.setText(_translate("nodeShapes", "Translocation"))
self.visSNP.setItemText(0, _translate("nodeShapes", "dot"))
self.visSNP.setItemText(1, _translate("nodeShapes", "ellipse"))
self.visSNP.setItemText(2, _translate("nodeShapes", "circle"))
self.visSNP.setItemText(3, _translate("nodeShapes", "database"))
self.visSNP.setItemText(4, _translate("nodeShapes", "box"))
self.visSNP.setItemText(5, _translate("nodeShapes", "text"))
self.visSNP.setItemText(6, _translate("nodeShapes", "diamond"))
self.visSNP.setItemText(7, _translate("nodeShapes", "star"))
self.visSNP.setItemText(8, _translate("nodeShapes", "trangle"))
self.visSNP.setItemText(9, _translate("nodeShapes", "trangleDown"))
self.visDEL.setItemText(0, _translate("nodeShapes", "triangle"))
self.visDEL.setItemText(1, _translate("nodeShapes", "dot"))
self.visDEL.setItemText(2, _translate("nodeShapes", "ellipse"))
self.visDEL.setItemText(3, _translate("nodeShapes", "circle"))
self.visDEL.setItemText(4, _translate("nodeShapes", "database"))
self.visDEL.setItemText(5, _translate("nodeShapes", "box"))
self.visDEL.setItemText(6, _translate("nodeShapes", "text"))
self.visDEL.setItemText(7, _translate("nodeShapes", "diamond"))
self.visDEL.setItemText(8, _translate("nodeShapes", "star"))
self.visDEL.setItemText(9, _translate("nodeShapes", "triangleDown"))
self.visINS.setItemText(0, _translate("nodeShapes", "triangleDown"))
self.visINS.setItemText(1, _translate("nodeShapes", "dot"))
self.visINS.setItemText(2, _translate("nodeShapes", "ellipse"))
self.visINS.setItemText(3, _translate("nodeShapes", "circle"))
self.visINS.setItemText(4, _translate("nodeShapes", "database"))
self.visINS.setItemText(5, _translate("nodeShapes", "box"))
self.visINS.setItemText(6, _translate("nodeShapes", "text"))
self.visINS.setItemText(7, _translate("nodeShapes", "diamond"))
self.visINS.setItemText(8, _translate("nodeShapes", "star"))
self.visINS.setItemText(9, _translate("nodeShapes", "triangle"))
self.visINV.setItemText(0, _translate("nodeShapes", "text"))
self.visINV.setItemText(1, _translate("nodeShapes", "dot"))
self.visINV.setItemText(2, _translate("nodeShapes", "ellipse"))
self.visINV.setItemText(3, _translate("nodeShapes", "circle"))
self.visINV.setItemText(4, _translate("nodeShapes", "database"))
self.visINV.setItemText(5, _translate("nodeShapes", "box"))
self.visINV.setItemText(6, _translate("nodeShapes", "diamond"))
self.visINV.setItemText(7, _translate("nodeShapes", "star"))
self.visINV.setItemText(8, _translate("nodeShapes", "triangle"))
self.visINV.setItemText(9, _translate("nodeShapes", "triangleDown"))
self.visDUP.setItemText(0, _translate("nodeShapes", "database"))
self.visDUP.setItemText(1, _translate("nodeShapes", "dot"))
self.visDUP.setItemText(2, _translate("nodeShapes", "ellipse"))
self.visDUP.setItemText(3, _translate("nodeShapes", "circle"))
self.visDUP.setItemText(4, _translate("nodeShapes", "box"))
self.visDUP.setItemText(5, _translate("nodeShapes", "text"))
self.visDUP.setItemText(6, _translate("nodeShapes", "diamond"))
self.visDUP.setItemText(7, _translate("nodeShapes", "star"))
self.visDUP.setItemText(8, _translate("nodeShapes", "triangle"))
self.visDUP.setItemText(9, _translate("nodeShapes", "triangleDown"))
self.visTRANS.setItemText(0, _translate("nodeShapes", "star"))
self.visTRANS.setItemText(1, _translate("nodeShapes", "dot"))
self.visTRANS.setItemText(2, _translate("nodeShapes", "ellipse"))
self.visTRANS.setItemText(3, _translate("nodeShapes", "circle"))
self.visTRANS.setItemText(4, _translate("nodeShapes", "database"))
self.visTRANS.setItemText(5, _translate("nodeShapes", "box"))
self.visTRANS.setItemText(6, _translate("nodeShapes", "text"))
self.visTRANS.setItemText(7, _translate("nodeShapes", "diamond"))
self.visTRANS.setItemText(8, _translate("nodeShapes", "triangle"))
self.visTRANS.setItemText(9, _translate("nodeShapes", "triangleDown"))
self.reset.setText(_translate("nodeShapes", "Reset"))
self.label_9.setText(_translate("nodeShapes", "Do you want to keep the changes? "))
self.change.setText(_translate("nodeShapes", "Yes"))
self.label_10.setText(_translate("nodeShapes", "Vis.js Graph"))
self.label_11.setText(_translate("nodeShapes", "Cytoscape.js Graph"))
self.label_16.setText(_translate("nodeShapes", "Inversion"))
self.label_14.setText(_translate("nodeShapes", "Deletion"))
self.label_12.setText(_translate("nodeShapes", "Backbone Nodes"))
self.label_17.setText(_translate("nodeShapes", "Duplication"))
self.label_13.setText(_translate("nodeShapes", "SNP"))
self.label_15.setText(_translate("nodeShapes", "Insertion"))
self.cyBB.setItemText(0, _translate("nodeShapes", "ellipse"))
self.cyBB.setItemText(1, _translate("nodeShapes", "triangle"))
self.cyBB.setItemText(2, _translate("nodeShapes", "round-triangle"))
self.cyBB.setItemText(3, _translate("nodeShapes", "rectangle"))
self.cyBB.setItemText(4, _translate("nodeShapes", "round-rectangle"))
self.cyBB.setItemText(5, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyBB.setItemText(6, _translate("nodeShapes", "cut-rectangle"))
self.cyBB.setItemText(7, _translate("nodeShapes", "barrel"))
self.cyBB.setItemText(8, _translate("nodeShapes", "rhomboid"))
self.cyBB.setItemText(9, _translate("nodeShapes", "diamond"))
self.cyBB.setItemText(10, _translate("nodeShapes", "round-diamond"))
self.cyBB.setItemText(11, _translate("nodeShapes", "pentagon"))
self.cyBB.setItemText(12, _translate("nodeShapes", "round-pentagon"))
self.cyBB.setItemText(13, _translate("nodeShapes", "hexagon"))
self.cyBB.setItemText(14, _translate("nodeShapes", "round-hexagon"))
self.cyBB.setItemText(15, _translate("nodeShapes", "concave-hexagon"))
self.cyBB.setItemText(16, _translate("nodeShapes", "heptagon"))
self.cyBB.setItemText(17, _translate("nodeShapes", "round-heptagon"))
self.cyBB.setItemText(18, _translate("nodeShapes", "octagon"))
self.cyBB.setItemText(19, _translate("nodeShapes", "round-octagon"))
self.cyBB.setItemText(20, _translate("nodeShapes", "star"))
self.cyBB.setItemText(21, _translate("nodeShapes", "tag"))
self.cyBB.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cyBB.setItemText(23, _translate("nodeShapes", "vee"))
self.label_18.setText(_translate("nodeShapes", "Translocation"))
self.cySNP.setItemText(0, _translate("nodeShapes", "ellipse"))
self.cySNP.setItemText(1, _translate("nodeShapes", "triangle"))
self.cySNP.setItemText(2, _translate("nodeShapes", "round-triangle"))
self.cySNP.setItemText(3, _translate("nodeShapes", "rectangle"))
self.cySNP.setItemText(4, _translate("nodeShapes", "round-rectangle"))
self.cySNP.setItemText(5, _translate("nodeShapes", "bottom-round-rectangle"))
self.cySNP.setItemText(6, _translate("nodeShapes", "cut-rectangle"))
self.cySNP.setItemText(7, _translate("nodeShapes", "barrel"))
self.cySNP.setItemText(8, _translate("nodeShapes", "rhomboid"))
self.cySNP.setItemText(9, _translate("nodeShapes", "diamond"))
self.cySNP.setItemText(10, _translate("nodeShapes", "round-diamond"))
self.cySNP.setItemText(11, _translate("nodeShapes", "pentagon"))
self.cySNP.setItemText(12, _translate("nodeShapes", "round-pentagon"))
self.cySNP.setItemText(13, _translate("nodeShapes", "hexagon"))
self.cySNP.setItemText(14, _translate("nodeShapes", "round-hexagon"))
self.cySNP.setItemText(15, _translate("nodeShapes", "concave-hexagon"))
self.cySNP.setItemText(16, _translate("nodeShapes", "heptagon"))
self.cySNP.setItemText(17, _translate("nodeShapes", "round-heptagon"))
self.cySNP.setItemText(18, _translate("nodeShapes", "octagon"))
self.cySNP.setItemText(19, _translate("nodeShapes", "round-octagon"))
self.cySNP.setItemText(20, _translate("nodeShapes", "star"))
self.cySNP.setItemText(21, _translate("nodeShapes", "tag"))
self.cySNP.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cySNP.setItemText(23, _translate("nodeShapes", "vee"))
self.cyDEL.setItemText(0, _translate("nodeShapes", "concave-hexagon"))
self.cyDEL.setItemText(1, _translate("nodeShapes", "ellipse"))
self.cyDEL.setItemText(2, _translate("nodeShapes", "triangle"))
self.cyDEL.setItemText(3, _translate("nodeShapes", "round-triangle"))
self.cyDEL.setItemText(4, _translate("nodeShapes", "rectangle"))
self.cyDEL.setItemText(5, _translate("nodeShapes", "round-rectangle"))
self.cyDEL.setItemText(6, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyDEL.setItemText(7, _translate("nodeShapes", "cut-rectangle"))
self.cyDEL.setItemText(8, _translate("nodeShapes", "barrel"))
self.cyDEL.setItemText(9, _translate("nodeShapes", "rhomboid"))
self.cyDEL.setItemText(10, _translate("nodeShapes", "diamond"))
self.cyDEL.setItemText(11, _translate("nodeShapes", "round-diamond"))
self.cyDEL.setItemText(12, _translate("nodeShapes", "pentagon"))
self.cyDEL.setItemText(13, _translate("nodeShapes", "round-pentagon"))
self.cyDEL.setItemText(14, _translate("nodeShapes", "hexagon"))
self.cyDEL.setItemText(15, _translate("nodeShapes", "round-hexagon"))
self.cyDEL.setItemText(16, _translate("nodeShapes", "heptagon"))
self.cyDEL.setItemText(17, _translate("nodeShapes", "round-heptagon"))
self.cyDEL.setItemText(18, _translate("nodeShapes", "octagon"))
self.cyDEL.setItemText(19, _translate("nodeShapes", "round-octagon"))
self.cyDEL.setItemText(20, _translate("nodeShapes", "star"))
self.cyDEL.setItemText(21, _translate("nodeShapes", "tag"))
self.cyDEL.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cyDEL.setItemText(23, _translate("nodeShapes", "vee"))
self.cyINS.setItemText(0, _translate("nodeShapes", "triangle"))
self.cyINS.setItemText(1, _translate("nodeShapes", "ellipse"))
self.cyINS.setItemText(2, _translate("nodeShapes", "round-triangle"))
self.cyINS.setItemText(3, _translate("nodeShapes", "rectangle"))
self.cyINS.setItemText(4, _translate("nodeShapes", "round-rectangle"))
self.cyINS.setItemText(5, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyINS.setItemText(6, _translate("nodeShapes", "cut-rectangle"))
self.cyINS.setItemText(7, _translate("nodeShapes", "barrel"))
self.cyINS.setItemText(8, _translate("nodeShapes", "rhomboid"))
self.cyINS.setItemText(9, _translate("nodeShapes", "diamond"))
self.cyINS.setItemText(10, _translate("nodeShapes", "round-diamond"))
self.cyINS.setItemText(11, _translate("nodeShapes", "pentagon"))
self.cyINS.setItemText(12, _translate("nodeShapes", "round-pentagon"))
self.cyINS.setItemText(13, _translate("nodeShapes", "hexagon"))
self.cyINS.setItemText(14, _translate("nodeShapes", "round-hexagon"))
self.cyINS.setItemText(15, _translate("nodeShapes", "concave-hexagon"))
self.cyINS.setItemText(16, _translate("nodeShapes", "heptagon"))
self.cyINS.setItemText(17, _translate("nodeShapes", "round-heptagon"))
self.cyINS.setItemText(18, _translate("nodeShapes", "octagon"))
self.cyINS.setItemText(19, _translate("nodeShapes", "round-octagon"))
self.cyINS.setItemText(20, _translate("nodeShapes", "star"))
self.cyINS.setItemText(21, _translate("nodeShapes", "tag"))
self.cyINS.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cyINS.setItemText(23, _translate("nodeShapes", "vee"))
self.cyINV.setItemText(0, _translate("nodeShapes", "vee"))
self.cyINV.setItemText(1, _translate("nodeShapes", "ellipse"))
self.cyINV.setItemText(2, _translate("nodeShapes", "triangle"))
self.cyINV.setItemText(3, _translate("nodeShapes", "round-triangle"))
self.cyINV.setItemText(4, _translate("nodeShapes", "rectangle"))
self.cyINV.setItemText(5, _translate("nodeShapes", "round-rectangle"))
self.cyINV.setItemText(6, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyINV.setItemText(7, _translate("nodeShapes", "cut-rectangle"))
self.cyINV.setItemText(8, _translate("nodeShapes", "barrel"))
self.cyINV.setItemText(9, _translate("nodeShapes", "rhomboid"))
self.cyINV.setItemText(10, _translate("nodeShapes", "diamond"))
self.cyINV.setItemText(11, _translate("nodeShapes", "round-diamond"))
self.cyINV.setItemText(12, _translate("nodeShapes", "pentagon"))
self.cyINV.setItemText(13, _translate("nodeShapes", "round-pentagon"))
self.cyINV.setItemText(14, _translate("nodeShapes", "hexagon"))
self.cyINV.setItemText(15, _translate("nodeShapes", "round-hexagon"))
self.cyINV.setItemText(16, _translate("nodeShapes", "concave-hexagon"))
self.cyINV.setItemText(17, _translate("nodeShapes", "heptagon"))
self.cyINV.setItemText(18, _translate("nodeShapes", "round-heptagon"))
self.cyINV.setItemText(19, _translate("nodeShapes", "octagon"))
self.cyINV.setItemText(20, _translate("nodeShapes", "round-octagon"))
self.cyINV.setItemText(21, _translate("nodeShapes", "star"))
self.cyINV.setItemText(22, _translate("nodeShapes", "tag"))
self.cyINV.setItemText(23, _translate("nodeShapes", "round-tag"))
self.cyDUP.setItemText(0, _translate("nodeShapes", "diamond"))
self.cyDUP.setItemText(1, _translate("nodeShapes", "ellipse"))
self.cyDUP.setItemText(2, _translate("nodeShapes", "triangle"))
self.cyDUP.setItemText(3, _translate("nodeShapes", "round-triangle"))
self.cyDUP.setItemText(4, _translate("nodeShapes", "rectangle"))
self.cyDUP.setItemText(5, _translate("nodeShapes", "round-rectangle"))
self.cyDUP.setItemText(6, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyDUP.setItemText(7, _translate("nodeShapes", "cut-rectangle"))
self.cyDUP.setItemText(8, _translate("nodeShapes", "barrel"))
self.cyDUP.setItemText(9, _translate("nodeShapes", "rhomboid"))
self.cyDUP.setItemText(10, _translate("nodeShapes", "round-diamond"))
self.cyDUP.setItemText(11, _translate("nodeShapes", "pentagon"))
self.cyDUP.setItemText(12, _translate("nodeShapes", "round-pentagon"))
self.cyDUP.setItemText(13, _translate("nodeShapes", "hexagon"))
self.cyDUP.setItemText(14, _translate("nodeShapes", "round-hexagon"))
self.cyDUP.setItemText(15, _translate("nodeShapes", "concave-hexagon"))
self.cyDUP.setItemText(16, _translate("nodeShapes", "heptagon"))
self.cyDUP.setItemText(17, _translate("nodeShapes", "round-heptagon"))
self.cyDUP.setItemText(18, _translate("nodeShapes", "octagon"))
self.cyDUP.setItemText(19, _translate("nodeShapes", "round-octagon"))
self.cyDUP.setItemText(20, _translate("nodeShapes", "star"))
self.cyDUP.setItemText(21, _translate("nodeShapes", "tag"))
self.cyDUP.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cyDUP.setItemText(23, _translate("nodeShapes", "vee"))
self.cyTRANS.setItemText(0, _translate("nodeShapes", "star"))
self.cyTRANS.setItemText(1, _translate("nodeShapes", "ellipse"))
self.cyTRANS.setItemText(2, _translate("nodeShapes", "triangle"))
self.cyTRANS.setItemText(3, _translate("nodeShapes", "round-triangle"))
self.cyTRANS.setItemText(4, _translate("nodeShapes", "rectangle"))
self.cyTRANS.setItemText(5, _translate("nodeShapes", "round-rectangle"))
self.cyTRANS.setItemText(6, _translate("nodeShapes", "bottom-round-rectangle"))
self.cyTRANS.setItemText(7, _translate("nodeShapes", "cut-rectangle"))
self.cyTRANS.setItemText(8, _translate("nodeShapes", "barrel"))
self.cyTRANS.setItemText(9, _translate("nodeShapes", "rhomboid"))
self.cyTRANS.setItemText(10, _translate("nodeShapes", "diamond"))
self.cyTRANS.setItemText(11, _translate("nodeShapes", "round-diamond"))
self.cyTRANS.setItemText(12, _translate("nodeShapes", "pentagon"))
self.cyTRANS.setItemText(13, _translate("nodeShapes", "round-pentagon"))
self.cyTRANS.setItemText(14, _translate("nodeShapes", "hexagon"))
self.cyTRANS.setItemText(15, _translate("nodeShapes", "round-hexagon"))
self.cyTRANS.setItemText(16, _translate("nodeShapes", "concave-hexagon"))
self.cyTRANS.setItemText(17, _translate("nodeShapes", "heptagon"))
self.cyTRANS.setItemText(18, _translate("nodeShapes", "round-heptagon"))
self.cyTRANS.setItemText(19, _translate("nodeShapes", "octagon"))
self.cyTRANS.setItemText(20, _translate("nodeShapes", "round-octagon"))
self.cyTRANS.setItemText(21, _translate("nodeShapes", "tag"))
self.cyTRANS.setItemText(22, _translate("nodeShapes", "round-tag"))
self.cyTRANS.setItemText(23, _translate("nodeShapes", "vee"))
| [
"yuxuan.yuan@outlook.com"
] | yuxuan.yuan@outlook.com |
edd312326d4c73266143456b10802aafd47f2de2 | 637962e1420d3b86005d0e916bafb5578f1537b2 | /gan_training/utils_model_load.py | f32d21c2352efaa1afbea5a78302dfa898252ab1 | [] | no_license | TrendingTechnology/GANmemory_LifelongLearning | aae31ec1f8830232f4c336e559a481a54cf8fe7b | 264f67c0350271e31335f2fd8fd8b8811045322d | refs/heads/main | 2023-03-03T08:25:06.175794 | 2021-02-10T08:29:48 | 2021-02-10T08:29:48 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 36,896 | py |
import torch
import torch.utils.data
import torch.utils.data.distributed
import torchvision
import torchvision.transforms as transforms
from collections import OrderedDict
def get_parameter_number(net):
total_num = sum(p.numel() for p in net.parameters())
trainable_num = sum(p.numel() for p in net.parameters() if p.requires_grad)
print('Total=', total_num, 'Trainable=', trainable_num, 'fixed=', total_num-trainable_num)
def load_part_model(m_fix, m_ini):
dict_fix = m_fix.state_dic()
dict_ini = m_ini.state_dic()
dict_fix = {k: v for k, v in dict_fix.items() if k in dict_ini and k.find('embedding')==-1 and k.find('fc') == -1}
dict_ini.update(dict_fix)
m_ini.load_state_dict(dict_ini)
return m_ini
def model_equal_all(model, dict):
model_dict = model.state_dict()
model_dict.update(dict)
model.load_state_dict(model_dict)
return model
def change_model_name(model, pretrained_net_dict):
# pretrained_net_dict = dict
new_state_dict = OrderedDict()
for k, v in pretrained_net_dict.items():
if k.find('AdaFM') >= 0 and k.find('style_gama') >= 0:
indd = k.find('style_gama')
name = k[:indd]+'gamma'
new_state_dict[name] = v.squeeze()
elif k.find('AdaFM') >= 0 and k.find('style_beta') >= 0:
indd = k.find('style_beta')
name = k[:indd]+'beta'
new_state_dict[name] = v.squeeze()
else:
new_state_dict[k] = v
# load params
model.load_state_dict(new_state_dict)
return model
def save_adafm_only(model, is_G=True):
new_state_dict = OrderedDict()
model_dict = model.state_dict()
for k, v in model_dict.items():
if k.find('AdaFM') >= 0:
name = k
new_state_dict[name] = v
if is_G==False:
if k.find('fc') >= 0:
name = k
new_state_dict[name] = v
return new_state_dict
def model_equal_part(model, dict_all):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if k in model_dict and k.find('embedding') == -1 and k.find('fc') == -1}
model_dict.update(dict_fix)
model.load_state_dict(model_dict)
return model
def model_equal_part_embed(model, dict_all):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if k in model_dict and k.find('embedding') == -1}
model_dict.update(dict_fix)
model.load_state_dict(model_dict)
return model
def model_equal_embeding(model, dict_all):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if k in model_dict and k.find('embedding') == -1 and k.find('fc') == -1}
model_dict.update(dict_fix)
for k, v in dict_all.items():
if k.find('fc') >= 0 and k.find('weight') >=0:
name = k
model_dict[name][:,:257] = v
model.load_state_dict(model_dict)
return model
def model_load_interplation(generator, dict_G_1, dict_G_2, lamdd=0.0, block=None):
model_dict = generator.state_dict()
for k, v in dict_G_1.items():
if block == 9:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
elif block==0:
if k.find('resnet_0_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==1:
if k.find('resnet_1_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==2:
if k.find('resnet_2_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==3:
if k.find('resnet_3_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==4:
if k.find('resnet_4_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==5:
if k.find('resnet_5_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
elif block==6:
if k.find('resnet_6_0')>=0:
model_dict[k] = (1-lamdd)*dict_G_1[k] + lamdd*dict_G_2[k]
else:
model_dict[k] = dict_G_1[k]
generator.load_state_dict(model_dict)
return generator
def model_load_choose_para(generator, dict_G_1, para=None):
model_dict = generator.state_dict()
for k, v in dict_G_1.items():
if para == None:
model_dict[k] = dict_G_1[k]
elif para==0:
if k.find('style_gama')>=0 or (k.find('AdaFM_fc.gamma')>=0):
model_dict[k] = dict_G_1[k]
print(k)
elif para==1:
if k.find('style_beta')>=0 or (k.find('AdaFM_fc.beta')>=0):
model_dict[k] = dict_G_1[k]
print(k)
elif para==2:
if k.find('AdaFM_b')>=0 or k.find('AdaFM_fc_b')>=0:
model_dict[k] = dict_G_1[k]
print(k)
generator.load_state_dict(model_dict)
return generator
def model_load_choose_layer(generator, dict_G_1, Layerr=None):
model_dict = generator.state_dict()
for k, v in dict_G_1.items():
if Layerr == None:
model_dict[k] = dict_G_1[k]
else:
if k.find(Layerr) >= 0 and (k.find('AdaFM') >= 0):
model_dict[k] = dict_G_1[k]
print(k)
generator.load_state_dict(model_dict)
return generator
def model_load_donot_choose_para(generator, dict_G_1, para=None):
model_dict = generator.state_dict()
for k, v in dict_G_1.items():
if para == None:
model_dict[k] = dict_G_1[k]
elif para==0:
if k.find('style_gama')==-1 and k.find('AdaFM_fc.gamma')==-1:
model_dict[k] = dict_G_1[k]
elif para==1:
if k.find('style_beta')==-1 and k.find('AdaFM_fc.beta')==-1:
model_dict[k] = dict_G_1[k]
elif para==2:
if k.find('AdaFM_b')==-1 and k.find('AdaFM_fc_b')==-1:
model_dict[k] = dict_G_1[k]
generator.load_state_dict(model_dict)
return generator
def out_bias_to_in_bias(model, dict_all):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if
k in model_dict and k.find('AdaFM_fc_b') == -1 and k.find('AdaFM_b0') == -1 and k.find('AdaFM_b1') == -1}
for k, v in dict_all.items():
ind = k.find('AdaFM_fc_b')
if ind >= 0:
dict_fix[k[:ind] + 'AdaFM_fc.b'] = v
ind = k.find('AdaFM_b0')
if ind >= 0:
dict_fix[k[:ind] + 'AdaFM_0.b'] = v
ind = k.find('AdaFM_b1')
if ind >= 0:
dict_fix[k[:ind] + 'AdaFM_1.b'] = v
model_dict.update(dict_fix)
model.load_state_dict(model_dict)
return model
def model_equal_classCondition(model, dict_all):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if k in model_dict and k.find('embedding') == -1 and k.find('fc') == -1}
model_dict.update(dict_fix)
for k, v in dict_all.items():
if k.find('fc') >= 0 and k.find('weight') >=0:
name = k
model_dict[name] = v * 0.0
model_dict[name][:,:257] = v
model.load_state_dict(model_dict)
return model
def model_equal_CelebA(model, dict_all, dim_z=-1, dim_h=-1):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if
k in model_dict and k.find('embedding') == -1}
for k, v in dict_all.items():
if k.find('fc') >=0 and k.find('weight') >=0:
if dim_z >= 0 and dim_h >= 0:
dict_fix[k] = v[:dim_h, :dim_z]
elif dim_z >= 0:
dict_fix[k] = v[:, :dim_z]
if dim_h >= 0:
if k.find('fc') >=0 and k.find('bias') >=0:
dict_fix[k] = v[:dim_h]
model_dict.update(dict_fix)
model.load_state_dict(model_dict)
return model
def model_equal_SVD(model, dict_all, FRAC=0.9):
model_dict = model.state_dict()
# FRAC = 0.9
for k, v in dict_all.items():
if k.find('AdaFM') >= 0 and k.find('style_gama') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = (v-1.).squeeze().svd()
if Ua.shape[0] >= 512:
FRAC = 0.6
else:
FRAC = 0.9
ii, jj = Sa.abs().sort(descending=True)
ii_acsum = ii.cumsum(dim=0)
NUM = (1 - (ii_acsum / ii_acsum[-1] >= FRAC)).sum() + 1
v_new = 1. + (Ua[:, :NUM] * Sa[:NUM].unsqueeze(0)).mm(Va[:, :NUM].t())
dict_all[k] = v_new.unsqueeze(2).unsqueeze(3)
elif k.find('AdaFM') >= 0 and k.find('style_beta') >= 0:
Ua, Sa, Va = v.squeeze().svd()
if Ua.shape[0] >= 512:
FRAC = 0.6
else:
FRAC = 0.9
ii, jj = Sa.abs().sort(descending=True)
ii_acsum = ii.cumsum(dim=0)
NUM = (1 - (ii_acsum / ii_acsum[-1] >= FRAC)).sum() + 1
v_new = (Ua[:, :NUM] * Sa[:NUM].unsqueeze(0)).mm(Va[:, :NUM].t())
dict_all[k] = v_new.unsqueeze(2).unsqueeze(3)
model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
def model_equal_SVD_v2(model, dict_all, task_id=-1, NUM=200, dim_z=-1):
model_dict = model.state_dict()
dict_fix = {k: v for k, v in dict_all.items() if
k in model_dict and k.find('AdaFM_0') == -1 and k.find('AdaFM_1') == -1}
if dim_z >= 0:
for k, v in dict_all.items():
if k.find('fc') >= 0 and k.find('weight') >= 0:
# print('shape of FC:', v.shape)
dict_fix[k] = v[:, :dim_z]
model_dict.update(dict_fix)
pecen = 1./2.
genh, S_rep = 2., 'abs'
# genh, S_rep = 2., 'exp'
for k, v in dict_all.items():
ind = k.find('AdaFM_0')
if ind >= 0 and k.find('style_gama') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = v.squeeze().svd()
model_dict[k[:ind + 7] + '.gamma_u'] = Ua[:, :NUM]
model_dict[k[:ind + 7] + '.gamma_v'] = Va[:, :NUM]
if task_id >= 1:
if S_rep == 'abs':
model_dict[k[:ind + 7] + '.gamma_s2'] = Sa[:NUM] * pecen
elif S_rep == 'x2':
model_dict[k[:ind + 7] + '.gamma_s2'] = (Sa[:NUM] * pecen).pow(1. / genh)
elif S_rep == 'exp':
model_dict[k[:ind + 7] + '.gamma_s2'] = (Sa[:NUM] * pecen).log()
else:
model_dict[k[:ind + 7] + '.gamma_s2'] = Sa[:NUM]
elif ind >= 0 and k.find('style_beta') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = v.squeeze().svd()
model_dict[k[:ind + 7] + '.beta_u'] = Ua[:, :NUM]
model_dict[k[:ind + 7] + '.beta_v'] = Va[:, :NUM]
if task_id >= 1:
if S_rep == 'abs':
model_dict[k[:ind + 7] + '.beta_s2'] = Sa[:NUM] * pecen
elif S_rep == 'x2':
model_dict[k[:ind + 7] + '.beta_s2'] = (Sa[:NUM] * pecen).pow(1. / genh)
elif S_rep == 'exp':
model_dict[k[:ind + 7] + '.beta_s2'] = (Sa[:NUM] * pecen).log()
else:
model_dict[k[:ind + 7] + '.beta_s2'] = Sa[:NUM]
ind = k.find('AdaFM_1')
if ind >= 0 and k.find('style_gama') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = v.squeeze().svd()
model_dict[k[:ind + 7] + '.gamma_u'] = Ua[:, :NUM]
model_dict[k[:ind + 7] + '.gamma_v'] = Va[:, :NUM]
if task_id >= 1:
if S_rep == 'abs':
model_dict[k[:ind + 7] + '.gamma_s2'] = Sa[:NUM] * pecen
elif S_rep == 'x2':
model_dict[k[:ind + 7] + '.gamma_s2'] = (Sa[:NUM] * pecen).pow(1. / genh)
elif S_rep == 'exp':
model_dict[k[:ind + 7] + '.gamma_s2'] = (Sa[:NUM] * pecen).log()
else:
model_dict[k[:ind + 7] + '.gamma_s2'] = Sa[:NUM]
elif ind >= 0 and k.find('style_beta') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = v.squeeze().svd()
model_dict[k[:ind + 7] + '.beta_u'] = Ua[:, :NUM]
model_dict[k[:ind + 7] + '.beta_v'] = Va[:, :NUM]
if task_id >= 1:
if S_rep == 'abs':
model_dict[k[:ind + 7] + '.beta_s2'] = Sa[:NUM] * pecen
elif S_rep == 'x2':
model_dict[k[:ind + 7] + '.beta_s2'] = (Sa[:NUM] * pecen).pow(1. / genh)
elif S_rep == 'exp':
model_dict[k[:ind + 7] + '.beta_s2'] = (Sa[:NUM] * pecen).log()
else:
model_dict[k[:ind + 7] + '.beta_s2'] = Sa[:NUM]
model.load_state_dict(model_dict)
return model
def model_equal_SVD_fenkai(model, dict_all, NUM1=100, NUM2=50):
model_dict = model.state_dict()
for k, v in dict_all.items():
if k.find('AdaFM') >= 0 and k.find('style_gama') >= 0:
Ua, Sa, Va = v.squeeze().svd()
print('shape of FC:', NUM1)
v_new = torch.mm(torch.mm(Ua[:, :NUM1], torch.diag(Sa[:NUM1])), Va[:, :NUM1].t())
dict_all[k] = v_new.unsqueeze(2).unsqueeze(3)
if k.find('AdaFM') >= 0 and k.find('style_beta') >= 0:
Ua, Sa, Va = v.squeeze().svd()
print('shape of FC:', NUM2)
v_new = torch.mm(torch.mm(Ua[:, :NUM2], torch.diag(Sa[:NUM2])), Va[:, :NUM2].t())
dict_all[k] = v_new.unsqueeze(2).unsqueeze(3)
model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
transform = transforms.Compose([
transforms.Resize(32),
transforms.CenterCrop(32),
transforms.RandomHorizontalFlip(),
transforms.ToTensor(),
transforms.Normalize((0.5, 0.5, 0.5), (0.5, 0.5, 0.5)),
transforms.Lambda(lambda x: x + 1./128 * torch.rand(x.size())),
])
def svd_all_layers(dict_G, FRAC=0.9):
flower_gamma_U, flower_gamma_S, flower_gamma_V = [], [], []
flower_beta_U, flower_beta_S, flower_beta_V = [], [], []
for k, v in dict_G.items():
if k.find('AdaFM') >= 0 and k.find('style_gama') >= 0:
# print('shape of FC:', v.shape)
Ua, Sa, Va = (v - 1.).squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
ii_acsum = ii.cumsum(dim=0)
NUM = (1 - (ii_acsum / ii_acsum[-1] >= FRAC)).sum() + 1
flower_gamma_U.append(Ua[:, :NUM])
flower_gamma_S.append(Sa[:NUM])
flower_gamma_V.append(Va[:, :NUM])
elif k.find('AdaFM') >= 0 and k.find('style_beta') >= 0:
Ua, Sa, Va = v.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
ii_acsum = ii.cumsum(dim=0)
NUM = (1 - (ii_acsum / ii_acsum[-1] >= FRAC)).sum() + 1
flower_beta_U.append(Ua[:, :NUM])
flower_beta_S.append(Sa[:NUM])
flower_beta_V.append(Va[:, :NUM])
return flower_gamma_U, flower_gamma_S, flower_gamma_V, flower_beta_U, flower_beta_S, flower_beta_V
def gamma_beta_all_layers(dict_G):
flower_gamma = []
flower_beta = []
for k, v in dict_G.items():
if k.find('AdaFM') >= 0 and k.find('style_gama') >= 0:
# print('shape of FC:', v.shape)
flower_gamma.append(v.squeeze())
elif k.find('AdaFM') >= 0 and k.find('style_beta') >= 0:
flower_beta.append(v.squeeze())
return flower_gamma, flower_beta
def cumpute_atc_num(generator_test, para='gamma', task=0, num_task=6):
num_task = num_task - 1
if para == 'gamma':
act_gamma_t1 = \
[generator_test.resnet_0_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_0_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_1_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_1_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_2_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_2_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_3_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_3_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_4_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_4_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_5_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_5_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_6_0.AdaFM_0.global_gamma_s[num_task][task].shape[0],
generator_test.resnet_6_0.AdaFM_1.global_gamma_s[num_task][task].shape[0],
]
elif para == 'beta':
act_gamma_t1 = \
[generator_test.resnet_0_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_0_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_1_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_1_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_2_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_2_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_3_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_3_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_4_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_4_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_5_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_5_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
generator_test.resnet_6_0.AdaFM_0.global_beta_s[num_task][task].shape[0],
generator_test.resnet_6_0.AdaFM_1.global_beta_s[num_task][task].shape[0],
]
return act_gamma_t1
def cumpute_atc_num_v2(generator_test, para='gamma', task=0, num_task=6):
num_task = num_task - 1
if para == 'gamma':
act_gamma_t1 = \
[generator_test.resnet_0_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_0_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_1_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_1_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_2_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_2_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_3_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_3_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_4_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_4_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_5_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_5_0.AdaFM_1.global_num_gamma[task].cpu().data,
generator_test.resnet_6_0.AdaFM_0.global_num_gamma[task].cpu().data,
generator_test.resnet_6_0.AdaFM_1.global_num_gamma[task].cpu().data,
]
elif para == 'beta':
act_gamma_t1 = \
[generator_test.resnet_0_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_0_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_1_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_1_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_2_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_2_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_3_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_3_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_4_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_4_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_5_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_5_0.AdaFM_1.global_num_beta[task].cpu().data,
generator_test.resnet_6_0.AdaFM_0.global_num_beta[task].cpu().data,
generator_test.resnet_6_0.AdaFM_1.global_num_beta[task].cpu().data,
]
return act_gamma_t1
def get_parameter_num(model, task_id=0):
p_num = 0
p_num += model.AdaFM_fc.gamma.shape[1] + model.AdaFM_fc.beta.shape[1] + model.AdaFM_fc.b.shape[0]
h1 = model.resnet_0_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_0_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_0_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_0_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_0_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 +c
h1 = model.resnet_0_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_0_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_0_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_0_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_0_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_1_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_1_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_1_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_1_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_1_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_1_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_1_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_1_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_1_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_1_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_2_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_2_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_2_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_2_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_2_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_2_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_2_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_2_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_2_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_2_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_3_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_3_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_3_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_3_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_3_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_3_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_3_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_3_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_3_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_3_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_4_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_4_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_4_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_4_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_4_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_4_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_4_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_4_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_4_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_4_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_5_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_5_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_5_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_5_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_5_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_5_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_5_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_5_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_5_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_5_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_6_0.AdaFM_0.global_gamma_u[0].shape[0]
w1 = model.resnet_6_0.AdaFM_0.global_num_gamma[task_id].cpu().data
h2 = model.resnet_6_0.AdaFM_0.global_beta_u[0].shape[0]
w2 = model.resnet_6_0.AdaFM_0.global_num_beta[task_id].cpu().data
c = model.resnet_6_0.AdaFM_0.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
h1 = model.resnet_6_0.AdaFM_1.global_gamma_u[0].shape[0]
w1 = model.resnet_6_0.AdaFM_1.global_num_gamma[task_id].cpu().data
h2 = model.resnet_6_0.AdaFM_1.global_beta_u[0].shape[0]
w2 = model.resnet_6_0.AdaFM_1.global_num_beta[task_id].cpu().data
c = model.resnet_6_0.AdaFM_1.b.shape[0]
p_num += 2*h1*w1 + w1 + 2*h2*w2 + w2 + c
return p_num
def load_model_norm(model, is_G=True, is_classCondition=False):
th_m = torch.tensor(1e-5)
stdd = 1.0
dict_all = model.state_dict()
model_dict = model.state_dict()
for k, v in dict_all.items():
if is_G==True:
if k.find('fc.weight') >= 0:
w_mu = v.mean([1], keepdim=True)
w_std = v.std([1], keepdim=True) * stdd
dict_all[k].data = (v - w_mu)/(w_std)
dict_all['AdaFM_fc.gamma'].data = w_std.data.t()
dict_all['AdaFM_fc.beta'].data = w_mu.data.t()
idt = k.find('conv_0.weight')
if idt >= 0:
w_mu = v.mean([2,3], keepdim=True)
w_std = v.std([2,3], keepdim=True) * stdd
dict_all[k].data = (v - w_mu)/(w_std)
dict_all[k[:idt]+'AdaFM_0.style_gama'].data = w_std.data
dict_all[k[:idt]+'AdaFM_0.style_beta'].data = w_mu.data
idt = k.find('conv_1.weight')
if idt >= 0:
w_mu = v.mean([2, 3], keepdim=True)
w_std = v.std([2, 3], keepdim=True) * stdd
dict_all[k].data = (v - w_mu)/(w_std)
dict_all[k[:idt] + 'AdaFM_1.style_gama'].data = w_std.data
dict_all[k[:idt] + 'AdaFM_1.style_beta'].data = w_mu.data
if is_classCondition:
if k.find('AdaFM_class_bias.weight') >= 0:
dict_all[k].data = v*0.0
model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
def load_model_norm_svd(model, is_G=True, is_first_task=True):
# for the first task
dict_all = model.state_dict()
model_dict = model.state_dict()
for k, v in dict_all.items():
if is_G == True:
if k.find('fc.weight') >= 0:
w_mu = v.mean([1], keepdim=True)
w_std = v.std([1], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
dict_all['AdaFM_fc.gamma'].data = w_std.data.t()
dict_all['AdaFM_fc.beta'].data = w_mu.data.t()
idt = k.find('conv_0.weight')
if idt >= 0:
w_mu = v.mean([2, 3], keepdim=True)
w_std = v.std([2, 3], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = w_std.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_0.gamma_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_0.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_0.gamma_s2'].data = Sa[jj[:real_rank]].data
Ua, Sa, Va = w_mu.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_0.beta_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_0.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_0.beta_s2'].data = Sa[jj[:real_rank]].data
idt = k.find('conv_1.weight')
if idt >= 0:
w_mu = v.mean([2, 3], keepdim=True)
w_std = v.std([2, 3], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = w_std.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_1.gamma_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_1.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_1.gamma_s2'].data = Sa[jj[:real_rank]].data
Ua, Sa, Va = w_mu.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_1.beta_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_1.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_1.beta_s2'].data = Sa[jj[:real_rank]].data
model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
def load_model_norm_svd_S100(model, is_G=True, is_first_task=True):
# for the first task
S_scale_g, S_scale_b = 100.0, 20.0
dict_all = model.state_dict()
model_dict = model.state_dict()
for k, v in dict_all.items():
if is_G == True:
if k.find('fc.weight') >= 0:
w_mu = v.mean([1], keepdim=True)
w_std = v.std([1], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
dict_all['AdaFM_fc.gamma'].data = w_std.data.t()
dict_all['AdaFM_fc.beta'].data = w_mu.data.t()
idt = k.find('conv_0.weight')
if idt >= 0:
w_mu = v.mean([2, 3], keepdim=True)
w_std = v.std([2, 3], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = w_std.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_0.gamma_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_0.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_0.gamma_s2'].data = Sa[jj[:real_rank]].data / S_scale_g
Ua, Sa, Va = w_mu.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_0.beta_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_0.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_0.beta_s2'].data = Sa[jj[:real_rank]].data / S_scale_b
idt = k.find('conv_1.weight')
if idt >= 0:
w_mu = v.mean([2, 3], keepdim=True)
w_std = v.std([2, 3], keepdim=True)
dict_all[k].data = (v - w_mu) / (w_std)
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = w_std.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_1.gamma_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_1.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_1.gamma_s2'].data = Sa[jj[:real_rank]].data / S_scale_g
Ua, Sa, Va = w_mu.data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
dict_all[k[:idt] + 'AdaFM_1.beta_u'].data = Ua[:, jj[:real_rank]].data
dict_all[k[:idt] + 'AdaFM_1.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
dict_all[k[:idt] + 'AdaFM_1.beta_s2'].data = Sa[jj[:real_rank]].data / S_scale_b
model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
def load_model_norm_svd_AR(model, dict_all, is_G=True, is_first_task=True):
# for the first task
model_dict = model.state_dict()
dic_choose = {k: v for k, v in dict_all.items() if
k in model_dict and (k.find('AdaFM_0') == -1 or k.find('AdaFM_1') == -1)}
for k, v in dict_all.items():
if k in model_dict:
model_dict[k].data = v.data
idt = k.find('conv_0.weight')
if idt >= 0:
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = dict_all[k[:idt] + 'AdaFM_0.style_gama'].data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
model_dict[k[:idt] + 'AdaFM_0.gamma_u'].data = Ua[:, jj[:real_rank]].data
model_dict[k[:idt] + 'AdaFM_0.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
model_dict[k[:idt] + 'AdaFM_0.gamma_s2'].data = Sa[jj[:real_rank]].data
Ua, Sa, Va = dict_all[k[:idt] + 'AdaFM_0.style_beta'].data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
model_dict[k[:idt] + 'AdaFM_0.beta_u'].data = Ua[:, jj[:real_rank]].data
model_dict[k[:idt] + 'AdaFM_0.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
model_dict[k[:idt] + 'AdaFM_0.beta_s2'].data = Sa[jj[:real_rank]].data
idt = k.find('conv_1.weight')
if idt >= 0:
real_rank = howMny_componetes(v.shape[0])
# gamma
Ua, Sa, Va = dict_all[k[:idt] + 'AdaFM_1.style_gama'].data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
model_dict[k[:idt] + 'AdaFM_1.gamma_u'].data = Ua[:, jj[:real_rank]].data
model_dict[k[:idt] + 'AdaFM_1.gamma_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
model_dict[k[:idt] + 'AdaFM_1.gamma_s2'].data = Sa[jj[:real_rank]].data
Ua, Sa, Va = dict_all[k[:idt] + 'AdaFM_1.style_beta'].data.squeeze().svd()
ii, jj = Sa.abs().sort(descending=True)
model_dict[k[:idt] + 'AdaFM_1.beta_u'].data = Ua[:, jj[:real_rank]].data
model_dict[k[:idt] + 'AdaFM_1.beta_v'].data = Va[:, jj[:real_rank]].data
if is_first_task:
model_dict[k[:idt] + 'AdaFM_1.beta_s2'].data = Sa[jj[:real_rank]].data
# model_dict.update(dict_all)
model.load_state_dict(model_dict)
return model
def chanel_percent(ch, p=[0.95, 0.9, 0.9, 0.8, 0.7]):
if ch == 64:
FRAC = p[0] #0.95
elif ch == 128:
FRAC = p[1] #0.9
elif ch==256:
FRAC = p[2] #0.9
elif ch == 512:
FRAC = p[3] #0.8
elif ch >= 1024:
FRAC = p[4] #0.7
return FRAC
def howMny_componetes(ch, is_beta=False, Def=[64, 128, 256, 512, 1024]):
#Def = [30, 50, 100, 200, 400]
if is_beta:
if ch == 64:
FRAC = Def[0]
elif ch == 128:
FRAC = Def[1]
elif ch == 256:
FRAC = Def[2]
elif ch == 512:
FRAC = Def[3]
elif ch == 1024:
FRAC = Def[4]
else:
if ch == 64:
FRAC = Def[0]
elif ch == 128:
FRAC = Def[1]
elif ch == 256:
FRAC = Def[2]
elif ch == 512:
FRAC = Def[3]
elif ch >= 1024:
FRAC = Def[4]
return FRAC
def my_copy(x):
return x.detach().data * 1.0
| [
"noreply@github.com"
] | noreply@github.com |
36906d878e193db34304459083ddc478da7ab329 | c6d54095312596503ab17cc5ef9312916ecff7ba | /4_Median_of_Two_Sorted_Arrays.py | 979e4fe946f52b4abdc736d32ec8ff05c0350e24 | [] | no_license | hy-kuo/leetcode | 0e36d64ead2b9c4701e6b062d849704050671e72 | 0832d318c959ef8edcfe49e1615bc65451f2ddd1 | refs/heads/main | 2023-05-06T15:01:03.634020 | 2021-05-27T04:27:28 | 2021-05-27T04:27:28 | 371,247,482 | 6 | 0 | null | null | null | null | UTF-8 | Python | false | false | 899 | py | class Solution:
def findMedianSortedArrays(self, nums1: 'List[int]', nums2: 'List[int]') -> 'float':
l1 = len(nums1)
l2 = len(nums2)
if (l1 + l2)%2==0:
p = [int((l1+l2)/2)-1, int((l1+l2)/2)]
else:
p = [int((l1+l2+1)/2 - 1)]
i = 0
j = 0
m = []
while i+j < (l1+l2+1)/2:
if i < l1 and j < l2:
if nums1[i] <= nums2[j]:
m.append(nums1[i])
i+=1
else:
m.append(nums2[j])
j+=1
elif i >= l1:
m.append(nums2[j])
j += 1
elif j >= l2:
m.append(nums1[i])
i += 1
if len(p) < 2:
median = m[p[0]]
else:
median = (m[p[0]] + m[p[1]]) / 2
return median | [
"hsuanyukuo63@gmail.com"
] | hsuanyukuo63@gmail.com |
3912b5083a03d310701b45658978da60c4824621 | 5444adea2ba92ff16a3b2ea3eca891a939c88916 | /library/custos/npv.py | b7d819639d7da4e465479f05f65dda6b50aa3941 | [
"BSD-2-Clause"
] | permissive | hkuribayashi/PrevisaoTrafego | 0d7dc50facf0d67d30de52af02118c1bf42bda9d | adfe3521fe538a5bb76a96b21d4887694e5bb170 | refs/heads/master | 2021-05-24T12:22:04.885545 | 2020-08-23T01:23:32 | 2020-08-23T01:23:32 | 253,559,476 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 6,308 | py | import numpy as np
from library.custos.cf import CF
class NPV:
def __init__(self, municipio):
self.municipio = municipio
# 2608
self.assinaturas_gov = np.zeros(self.municipio.tempo_analise)
# 2608
self.assinaturas_usuarios = np.zeros(self.municipio.tempo_analise)
# 2608
self.income = np.zeros(self.municipio.tempo_analise)
# 2608
self.arpu = np.zeros(self.municipio.tempo_analise)
# 2608
self.si = np.zeros(self.municipio.tempo_analise)
self.tco = dict(Macro=np.zeros(self.municipio.tempo_analise), Hetnet=np.zeros(self.municipio.tempo_analise))
self.cf = dict(Macro=np.zeros(self.municipio.tempo_analise), Hetnet=np.zeros(self.municipio.tempo_analise))
self.npv = dict(Macro=np.zeros(self.municipio.tempo_analise), Hetnet=np.zeros(self.municipio.tempo_analise))
self.payback = dict(Macro=0.0, Hetnet=0.0)
# 2608
def get_income(self):
for ag in self.municipio.aglomerados:
# Calcula o quantitativo de Termianais Gov
self.assinaturas_gov += ag.total_terminais
# Calcula o quantitativo de Termianais de Usuários
self.assinaturas_usuarios += ag.densidade_usuarios * ag.area_aglomerado
# 12.0 = 12 meses
# 0.56 = 56% da população é considerada ativa
self.income = self.assinaturas_usuarios * CF.TAXA_SUBSCRICAO_USUARIO.valor * 12.0 * 0.56
self.income += self.assinaturas_gov * CF.TAXA_SUBSCRICAO_GOV.valor * 12.0
self.income *= 0.5
# 2608
def get_arpu(self):
self.arpu = self.income/(self.assinaturas_usuarios + self.assinaturas_gov)
# 2608
def get_si(self):
# 0.00095 Renda Media Per Capita
temp = self.arpu/(0.00095)
self.si = temp
def get_cf(self):
#for ag in self.municipio.aglomerados:
# # Calcula o quantitativo de Termianais de Dados
# self.assinaturas_gov += ag.total_terminais
# print()
# arreacadacao = self.assinaturas_gov * CF.TAXA_SUBSCRICAO_GOV.valor * 12.0
# print('Valor de Arrecadação: ')
# print(arreacadacao)
# print(arreacadacao.sum())
capex = np.zeros(self.municipio.tempo_analise)
opex = np.zeros(self.municipio.tempo_analise)
for ag in self.municipio.aglomerados:
# Recupera CAPEX e OPEX do Aglomerado Macro
capex += ag.capex_macro['Radio']['infraestrutura']
capex += ag.capex_macro['Radio']['equipamentos']
capex += ag.capex_macro['Radio']['instalacao']
capex += ag.capex_macro['Transporte']['infraestrutura']
capex += ag.capex_macro['Transporte']['equipamentos']
capex += ag.capex_macro['Transporte']['instalacao']
opex += ag.opex_macro['Radio']['energia']
opex += ag.opex_macro['Radio']['manutencao']
opex += ag.opex_macro['Radio']['aluguel']
opex += ag.opex_macro['Radio']['falhas']
opex += ag.opex_macro['Transporte']['energia']
opex += ag.opex_macro['Transporte']['manutencao']
opex += ag.opex_macro['Transporte']['aluguel']
opex += ag.opex_macro['Transporte']['falhas']
# 2806
capex += self.municipio.capex_co['infraestrutura']
capex += self.municipio.capex_co['equipamentos']
capex += self.municipio.capex_co['instalacao']
# 2806
opex += self.municipio.opex_co['energia']
opex += self.municipio.opex_co['manutencao']
opex += self.municipio.opex_co['aluguel']
opex += self.municipio.opex_co['falhas']
self.cf['Macro'] = self.income - (capex + opex)
self.tco['Macro'] += (capex + opex)
capex = np.zeros(self.municipio.tempo_analise)
opex = np.zeros(self.municipio.tempo_analise)
for ag in self.municipio.aglomerados:
# Recupera CAPEX e OPEX do Aglomerado Hetnet
capex += ag.capex_hetnet['Radio']['infraestrutura']
capex += ag.capex_hetnet['Radio']['equipamentos']
capex += ag.capex_hetnet['Radio']['instalacao']
capex += ag.capex_hetnet['Transporte']['infraestrutura']
capex += ag.capex_hetnet['Transporte']['equipamentos']
capex += ag.capex_hetnet['Transporte']['instalacao']
opex += ag.opex_hetnet['Radio']['energia']
opex += ag.opex_hetnet['Radio']['manutencao']
opex += ag.opex_hetnet['Radio']['aluguel']
opex += ag.opex_hetnet['Radio']['falhas']
opex += ag.opex_hetnet['Transporte']['energia']
opex += ag.opex_hetnet['Transporte']['aluguel']
opex += ag.opex_hetnet['Transporte']['falhas']
# 2806
capex += self.municipio.capex_co['infraestrutura']
capex += self.municipio.capex_co['equipamentos']
capex += self.municipio.capex_co['instalacao']
# 2806
opex += self.municipio.opex_co['energia']
opex += self.municipio.opex_co['manutencao']
opex += self.municipio.opex_co['aluguel']
opex += self.municipio.opex_co['falhas']
self.cf['Hetnet'] = self.income - (capex + opex)
self.tco['Hetnet'] += (capex + opex)
print('TCO:')
print('Macro:')
print(self.tco['Macro'])
print(self.tco['Macro'].sum())
print('CF:')
print('Macro:')
print(self.cf['Macro'])
print('TCO:')
print('Hetnet:')
print(self.tco['Hetnet'])
print(self.tco['Hetnet'].sum())
print('CF:')
print('Hetnet:')
print(self.cf['Hetnet'])
def get_npv(self):
print('NPV')
for tipo in self.municipio.tipos_rede_radio:
npv = np.zeros(self.municipio.tempo_analise)
for ano, cf_ano in enumerate(self.cf[tipo]):
tma = (1 + CF.TAXA_DESCONTO.valor) ** ano
npv[ano] += (cf_ano / tma)
for ano, npv_ano in enumerate(npv):
if npv_ano > 0:
self.payback[tipo] = ano
break
self.npv[tipo] = npv.sum()
print('Implantação {}:'.format(tipo))
print(self.npv[tipo])
print()
| [
"hkuribayashi@gmail.com"
] | hkuribayashi@gmail.com |
0bae47cf3ad4800755b50d3856e99d614dbeafd3 | 6b1fcd508493c3cb3f67d79396a12dcce1e36c75 | /src/fixate/drivers/lcr/helper.py | f3aa3da939e2ba8737c4b8a4026ad0715a9efba0 | [
"MIT"
] | permissive | testjet/Fixate | 420a60e788c86fcb53f4e8f724cea8becc8f4526 | 978c15667f385f12b4fa107f23121fde15b94bf1 | refs/heads/master | 2022-01-04T19:40:27.387632 | 2019-07-03T03:52:37 | 2019-07-03T03:52:37 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,096 | py | from abc import ABCMeta, abstractmethod
from fixate.core.discover import open_visa_instrument
def open():
"""Open is the public api for the dmm driver for discovering and opening a connection
to a valid Digital Multimeter.
At the moment opens the first dmm connected
:param restrictions:
A dictionary containing the technical specifications of the required equipment
:return:
A instantiated class connected to a valid dmm
"""
return open_visa_instrument("LCR")
class TestResult:
Rs = None
Cs = None
Rp = None
Cp = None
Ls = None
Lp = None
Z = None
TH = None
F = None
D = None
Q = None
def __init__(self, **kwargs):
self.__dict__.update(**kwargs)
class LCR(metaclass=ABCMeta):
REGEX_ID = "LCR"
frequency = None
range = None
def __init__(self, instrument):
self.instrument = instrument
self.samples = 1
@abstractmethod
def measure(self, func=None, multiple_results=False, **mode_params):
pass
@abstractmethod
def reset(self):
pass
| [
"ryanspj@gmail.com"
] | ryanspj@gmail.com |
2257b6c4fe39dc4f284ce3ad63bc8ac47f0f57c9 | 84e9b0f9b89abe59c1188cce6f57c8432a5499f4 | /ShareHere/urls.py | 86dd87d255c121b304afa2a5cdda89bc04efcfa2 | [] | no_license | spygaurad/ShareHere | 9f5ee1399a47152abc9c78f4a152471a3a8e31c9 | 6e74181cf3c7ee484c2d01f828b8fbcfa32e899b | refs/heads/master | 2020-03-16T19:42:38.917262 | 2018-08-23T16:14:08 | 2018-08-23T16:14:08 | 129,085,858 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,189 | py | """ShareHere URL Configuration
The `urlpatterns` list routes URLs to views. For more information please see:
https://docs.djangoproject.com/en/2.0/topics/http/urls/
Examples:
Function views
1. Add an import: from my_app import views
2. Add a URL to urlpatterns: path('', views.home, name='home')
Class-based views
1. Add an import: from other_app.views import Home
2. Add a URL to urlpatterns: path('', Home.as_view(), name='home')
Including another URLconf
1. Import the include() function: from django.urls import include, path
2. Add a URL to urlpatterns: path('blog/', include('blog.urls'))
"""
from django.contrib import admin
from django.urls import path, include # include impoted to impoer urls in files page
from django.conf import settings
from django.conf.urls.static import static
urlpatterns = [
path('admin/', admin.site.urls),
path('file/', include('files.urls'))
]
# # if the DEBUG is on in settings, then append the urlpatterns as below
# if settings.DEBUG:
# urlpatterns += static(settings.STATIC_URL, document_root=settings.STATIC_ROOT)
# urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT) | [
"9841suraj1@gmail.com"
] | 9841suraj1@gmail.com |
8a09d38b3480ffb38cb0142d1c2f7d8bed2f7f4b | aa877a7efac65fc0b96e8044354c859f53b7533b | /25_multiply.py | d1fb6e72bfb372a2d3aa2b1336727cb43599ef23 | [] | no_license | lkrych/python-workout | 81b5a6ee5d99717d6fbcfd84eb4723d72f097f40 | fffa081aa6c7ea55433e241955de71a715167c3a | refs/heads/main | 2023-07-09T12:24:55.637381 | 2021-08-16T15:41:13 | 2021-08-16T15:41:13 | 350,582,071 | 0 | 0 | null | 2021-03-25T15:01:26 | 2021-03-23T04:48:22 | Python | UTF-8 | Python | false | false | 235 | py | def multiply_args(*args):
if len(args) == 0:
print("you must pass at least 1 arg")
product = 1
for arg in args:
product *= arg
return product
print(multiply_args(1,2,3))
print(multiply_args(1,2,3,4,5))
| [
"leland.krych@gmail.com"
] | leland.krych@gmail.com |
58874d3152e183f00d1c0f827fee20d5265f6d51 | 1af1a36a1f1cadad2e11202d708cddfc3a11ca67 | /Geom_BenchmarkProblem(BeamCantileverOneSide).py | 480c53df0e4f6278e467cc42b3955c9c70a89a31 | [] | no_license | dalfarisy/LSMPSElastic2D | df51171203fde24a7e4e8fb368cb3b4e9164c5e6 | 3f024b002943793d3a39f554588336bfd6e6e3a9 | refs/heads/main | 2023-07-09T20:42:17.354067 | 2021-08-14T14:52:15 | 2021-08-14T14:52:15 | 396,038,103 | 2 | 0 | null | null | null | null | UTF-8 | Python | false | false | 4,327 | py |
"""
LSMPSGeom v1.0
by Dew
"""
from plotter import boundaryplot
from plotter import plotterviridis
import numpy as np
E = 2e8
v = 0.3
rho = 0#70
go = 0#-9.8
a = 1000
Nx = 400
Ny = 20
h = a/(Nx-1)
#%% Outer Rectangular Boundary
xleft = []
yleft = []
nxleft = []
nyleft = []
dispXleft = []
dispYleft = []
forceXleft = []
forceYleft = []
bxleft = []
byleft = []
probeleft = []
for i in range(Ny):
xleft.append(0.0)
yleft.append(i*h)
nxleft.append(-1.0)
nyleft.append(0.0)
dispXleft.append(0.0)
dispYleft.append(0.0)
forceXleft.append('nan')
forceYleft.append('nan')
bxleft.append(0.0)
byleft.append(-rho*go)
if i == int(Ny/2):
probeleft.append(1)
else:
probeleft.append(0)
xright = []
yright = []
nxright = []
nyright = []
dispXright = []
dispYright = []
forceXright = []
forceYright = []
bxright = []
byright = []
proberight = []
for i in range(Ny):
xright.append((Nx-1)*h)
yright.append(i*h)
nxright.append(1.0)
nyright.append(0.0)
dispXright.append('nan')
dispYright.append('nan')
forceXright.append(0.0)
forceYright.append(0.0)
bxright.append(0.0)
byright.append(-rho*go)
if i == int(Ny/2):
proberight.append(1)
else:
proberight.append(0)
xbottom = []
ybottom = []
nxbottom = []
nybottom = []
dispXbottom = []
dispYbottom = []
forceXbottom = []
forceYbottom = []
bxbottom = []
bybottom = []
probebottom = []
for i in range(1,Nx-1):
xbottom.append(i*h)
ybottom.append(0.0)
nxbottom.append(0.0)
nybottom.append(-1.0)
dispXbottom.append('nan')
dispYbottom.append('nan')
forceXbottom.append(0.0)
forceYbottom.append(0.0)
bxbottom.append(0.0)
bybottom.append(-rho*go)
probebottom.append(0)
xtop = []
ytop = []
nxtop = []
nytop = []
dispXtop = []
dispYtop = []
forceXtop = []
forceYtop = []
bxtop = []
bytop = []
probetop = []
for i in range(1,Nx-1):
xtop.append(i*h)
ytop.append((Ny-1)*h)
nxtop.append(0.0)
nytop.append(1.0)
dispXtop.append('nan')
dispYtop.append('nan')
forceXtop.append(0.0)
forceYtop.append(-20.0)
bxtop.append(0.0)
bytop.append(-rho*go)
probetop.append(0)
#%% Inner nodes
xinner = []
yinner = []
nxinner = []
nyinner = []
dispXinner = []
dispYinner = []
forceXinner = []
forceYinner = []
bxinner = []
byinner = []
probeinner = []
for i in range(1,Nx-1):
for j in range(1,Ny-1):
xtemp = i*h
ytemp = j*h
xinner.append(xtemp)
yinner.append(ytemp)
nxinner.append('nan')
nyinner.append('nan')
dispXinner.append('nan')
dispYinner.append('nan')
forceXinner.append('nan')
forceYinner.append('nan')
bxinner.append(0.0)
byinner.append(-rho*go)
if j == int(Ny/2):
probeinner.append(1)
else:
probeinner.append(0)
#%% Combining the boundary and inner nodes list
x = xtop + xbottom + xright + xleft + xinner
y = ytop + ybottom + yright + yleft + yinner
nx = nxtop + nxbottom + nxright + nxleft + nxinner
ny = nytop + nybottom + nyright + nyleft + nyinner
dispX = dispXtop + dispXbottom + dispXright + dispXleft + dispXinner
dispY = dispYtop + dispYbottom + dispYright + dispYleft + dispYinner
forceX = forceXtop + forceXbottom + forceXright + forceXleft + forceXinner
forceY = forceYtop + forceYbottom + forceYright + forceYleft + forceYinner
bx = bxtop + bxbottom + bxright + bxleft + bxinner
by = bytop + bybottom + byright + byleft + byinner
probe = probetop + probebottom + proberight + probeleft + probeinner
boundaryplot(x,y,dispX,dispY,forceX,forceY,nx,ny,10)
plotterviridis(x,y,probe,10,'Probe Plot')
#print(f"{np.sum(probe)}")
#%% Writing the txt data
file = open("geom.txt","w")
file.write(f"{E}")
file.write("\n")
file.write(f"{v}")
file.write("\n")
file.write(f"{h}")
file.write("\n")
for i in range(len(x)):
file.write(f"{x[i]}" + "\t" + f"{y[i]}" + "\t" + f"{nx[i]}" + "\t" + f"{ny[i]}" + "\t" + f"{dispX[i]}" + "\t" + f"{dispY[i]}" + "\t" + f"{forceX[i]}" + "\t" + f"{forceY[i]}" + "\t" + f"{bx[i]}" + "\t" + f"{by[i]}")
file.write("\n")
file.close()
file = open("geom_probe.txt","w")
for i in range(len(x)):
file.write(f"{probe[i]}")
file.write("\n")
file.close()
| [
"noreply@github.com"
] | noreply@github.com |
5ae67e21aa0a265327c0e999a8d2d0f6c22e628e | 4f4912a4353eae5f03836812c7089a6078222e36 | /scripts/resize_v2.py | c64d9572d26ceb1f73bef0ef03fa31da622c493d | [
"MIT"
] | permissive | rvbcia/pytorch-yolo-custom | d3cb9438004923db6f3aa6bc9fab05aca9780149 | f04e27b766304f25bbe5d56330b8700fbfe536ab | refs/heads/master | 2022-07-18T15:27:06.219213 | 2020-01-12T00:52:33 | 2020-01-12T11:59:49 | 233,298,265 | 0 | 0 | MIT | 2022-06-22T00:06:33 | 2020-01-11T21:14:10 | Python | UTF-8 | Python | false | false | 1,283 | py | from PIL import Image
import os, glob
DIMENSIONS = (960, 1280)
FILETYPES = ['*.jpg']
def get_pictures_from_directory(subject_path, filetypes):
lst = []
for extension in filetypes:
lst.extend(glob.glob(subject_path + "/" + extension))
return lst
def get_folders_in_curr_directory(directory):
return [d for d in os.listdir(directory) if os.path.isdir(os.path.join(directory, d))]
def load_and_resize_image(img_path, size_tuple):
img = Image.open(img_path)
img = img.resize(size_tuple)
return (img)
def save_image(img, img_path):
img.save(img_path)
def resize_pictures(pictures, DIMENSIONS):
for picture in pictures:
img = load_and_resize_image(picture, DIMENSIONS)
save_image(img, picture)
def run_recursive_resize(base_path, DIMENSIONS, FILETYPES):
directories = get_folders_in_curr_directory(base_path)
pictures = get_pictures_from_directory(base_path, FILETYPES)
resize_pictures(pictures, DIMENSIONS)
for directory in directories:
next_path = base_path + '/' + directory
run_recursive_resize(next_path, DIMENSIONS, FILETYPES)
#run_recursive_resize('.', DIMENSIONS, FILETYPES)
run_recursive_resize('/home/dagmara/Projects/pytorch-yolo-v3-custom/imgs', DIMENSIONS, FILETYPES)
| [
"dagryba@gmail.com"
] | dagryba@gmail.com |
f419cc7d65322b77ae227506168498401d3d7c01 | a38180435ac5786185c0aa48891c0aed0ab9d72b | /S4/S4 Decompiler/decompyle3/semantics/make_function36.py | 602936bbf3b0f37273e472b635dbfb0fc03dfe5d | [
"CC-BY-4.0"
] | permissive | NeonOcean/Environment | e190b6b09dd5dbecba0a38c497c01f84c6f9dc7d | ca658cf66e8fd6866c22a4a0136d415705b36d26 | refs/heads/master | 2022-12-03T13:17:00.100440 | 2021-01-09T23:26:55 | 2021-01-09T23:26:55 | 178,096,522 | 1 | 1 | CC-BY-4.0 | 2022-11-22T20:24:59 | 2019-03-28T00:38:17 | Python | UTF-8 | Python | false | false | 12,326 | py | # Copyright (c) 2019-2020 by Rocky Bernstein
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
"""
All the crazy things we have to do to handle Python functions.
"""
from xdis import (
iscode,
CO_GENERATOR,
CO_ASYNC_GENERATOR,
code_has_star_arg,
code_has_star_star_arg,
)
from decompyle3.scanner import Code
from decompyle3.semantics.parser_error import ParserError
from decompyle3.parsers.main import ParserError as ParserError2
from decompyle3.semantics.helper import (
find_all_globals,
find_globals_and_nonlocals,
find_none,
)
from decompyle3.show import maybe_show_tree_param_default
def make_function36(self, node, is_lambda, nested=1, code_node=None):
"""Dump function definition, doc string, and function body in
Python version 3.6 and above.
"""
# MAKE_CLOSURE adds an additional closure slot
# In Python 3.6 and above stack change again. I understand
# 3.7 changes some of those changes, although I don't
# see it in this code yet. Yes, it is hard to follow
# and I am sure I haven't been able to keep up.
# Thank you, Python.
def build_param(ast, name, default, annotation=None):
"""build parameters:
- handle defaults
- handle format tuple parameters
"""
value = default
maybe_show_tree_param_default(self.showast, name, value)
if annotation:
result = "%s: %s=%s" % (name, annotation, value)
else:
result = "%s=%s" % (name, value)
# The below can probably be removed. This is probably
# a holdover from days when LOAD_CONST erroneously
# didn't handle LOAD_CONST None properly
if result[-2:] == "= ": # default was 'LOAD_CONST None'
result += "None"
return result
# MAKE_FUNCTION_... or MAKE_CLOSURE_...
assert node[-1].kind.startswith("MAKE_")
# Python 3.3+ adds a qualified name at TOS (-1)
# moving down the LOAD_LAMBDA instruction
lambda_index = -3
args_node = node[-1]
annotate_dict = {}
# Get a list of tree nodes that constitute the values for the "default
# parameters"; these are default values that appear before any *, and are
# not to be confused with keyword parameters which may appear after *.
args_attr = args_node.attr
if len(args_attr) == 3:
pos_args, kw_args, annotate_argc = args_attr
else:
pos_args, kw_args, annotate_argc, closure = args_attr
i = -4 if node[-2] != "docstring" else -5
kw_pairs = 0
if annotate_argc:
# Turn into subroutine and DRY with other use
annotate_node = node[i]
if annotate_node == "expr":
annotate_node = annotate_node[0]
annotate_name_node = annotate_node[-1]
if annotate_node == "dict" and annotate_name_node.kind.startswith(
"BUILD_CONST_KEY_MAP"
):
types = [self.traverse(n, indent="") for n in annotate_node[:-2]]
names = annotate_node[-2].attr
l = len(types)
assert l == len(names)
for i in range(l):
annotate_dict[names[i]] = types[i]
pass
pass
i -= 1
if closure:
# FIXME: fill in
# annotate = node[i]
i -= 1
if kw_args:
kw_node = node[pos_args]
if kw_node == "expr":
kw_node = kw_node[0]
if kw_node == "dict":
kw_pairs = kw_node[-1].attr
defparams = []
# FIXME: DRY with code below
default, kw_args, annotate_argc = args_node.attr[0:3]
if default:
expr_node = node[0]
if node[0] == "pos_arg":
expr_node = expr_node[0]
assert expr_node == "expr", "expecting mkfunc default node to be an expr"
if expr_node[0] == "LOAD_CONST" and isinstance(expr_node[0].attr, tuple):
defparams = [repr(a) for a in expr_node[0].attr]
elif expr_node[0] in frozenset(("list", "tuple", "dict", "set")):
defparams = [self.traverse(n, indent="") for n in expr_node[0][:-1]]
else:
defparams = []
pass
if lambda_index and is_lambda and iscode(node[lambda_index].attr):
assert node[lambda_index].kind == "LOAD_LAMBDA"
code = node[lambda_index].attr
else:
code = code_node.attr
assert iscode(code)
scanner_code = Code(code, self.scanner, self.currentclass)
# add defaults values to parameter names
argc = code.co_argcount
kwonlyargcount = code.co_kwonlyargcount
paramnames = list(scanner_code.co_varnames[:argc])
kwargs = list(scanner_code.co_varnames[argc : argc + kwonlyargcount])
paramnames.reverse()
defparams.reverse()
try:
ast = self.build_ast(
scanner_code._tokens,
scanner_code._customize,
is_lambda=is_lambda,
noneInNames=("None" in code.co_names),
)
except (ParserError, ParserError2) as p:
self.write(str(p))
if not self.tolerate_errors:
self.ERROR = p
return
i = len(paramnames) - len(defparams)
# build parameters
params = []
if defparams:
for i, defparam in enumerate(defparams):
params.append(
build_param(
ast, paramnames[i], defparam, annotate_dict.get(paramnames[i])
)
)
for param in paramnames[i + 1 :]:
if param in annotate_dict:
params.append("%s: %s" % (param, annotate_dict[param]))
else:
params.append(param)
else:
for param in paramnames:
if param in annotate_dict:
params.append("%s: %s" % (param, annotate_dict[param]))
else:
params.append(param)
params.reverse() # back to correct order
if code_has_star_arg(code):
star_arg = code.co_varnames[argc + kwonlyargcount]
if star_arg in annotate_dict:
params.append("*%s: %s" % (star_arg, annotate_dict[star_arg]))
else:
params.append("*%s" % star_arg)
argc += 1
# dump parameter list (with default values)
if is_lambda:
self.write("lambda")
if len(params):
self.write(" ", ", ".join(params))
elif kwonlyargcount > 0 and not (4 & code.co_flags):
assert argc == 0
self.write(" ")
# If the last statement is None (which is the
# same thing as "return None" in a lambda) and the
# next to last statement is a "yield". Then we want to
# drop the (return) None since that was just put there
# to have something to after the yield finishes.
# FIXME: this is a bit hoaky and not general
if (
len(ast) > 1
and self.traverse(ast[-1]) == "None"
and self.traverse(ast[-2]).strip().startswith("yield")
):
del ast[-1]
# Now pick out the expr part of the last statement
ast_expr = ast[-1]
while ast_expr.kind != "expr":
ast_expr = ast_expr[0]
ast[-1] = ast_expr
pass
else:
self.write("(", ", ".join(params))
# self.println(indent, '#flags:\t', int(code.co_flags))
ends_in_comma = False
if kwonlyargcount > 0:
if not (4 & code.co_flags):
if argc > 0:
self.write(", *, ")
else:
self.write("*, ")
pass
ends_in_comma = True
else:
if argc > 0:
self.write(", ")
ends_in_comma = True
ann_dict = kw_dict = default_tup = None
fn_bits = node[-1].attr
# Skip over:
# MAKE_FUNCTION,
# optional docstring
# LOAD_CONST qualified name,
# LOAD_CONST code object
index = -5 if node[-2] == "docstring" else -4
if fn_bits[-1]:
index -= 1
if fn_bits[-2]:
ann_dict = node[index]
index -= 1
if fn_bits[-3]:
kw_dict = node[index]
index -= 1
if fn_bits[-4]:
default_tup = node[index]
if kw_dict == "expr":
kw_dict = kw_dict[0]
kw_args = [None] * kwonlyargcount
# FIXME: handle free_tup, ann_dict, and default_tup
if kw_dict:
assert kw_dict == "dict"
defaults = [self.traverse(n, indent="") for n in kw_dict[:-2]]
names = eval(self.traverse(kw_dict[-2]))
assert len(defaults) == len(names)
sep = ""
# FIXME: possibly handle line breaks
for i, n in enumerate(names):
idx = kwargs.index(n)
if annotate_dict and n in annotate_dict:
t = "%s: %s=%s" % (n, annotate_dict[n], defaults[i])
else:
t = "%s=%s" % (n, defaults[i])
kw_args[idx] = t
pass
pass
# handle others
other_kw = [c == None for c in kw_args]
for i, flag in enumerate(other_kw):
if flag:
n = kwargs[i]
if n in annotate_dict:
kw_args[i] = "%s: %s" % (n, annotate_dict[n])
else:
kw_args[i] = "%s" % n
self.write(", ".join(kw_args))
ends_in_comma = False
pass
else:
if argc == 0:
ends_in_comma = True
if code_has_star_star_arg(code):
if not ends_in_comma:
self.write(", ")
star_star_arg = code.co_varnames[argc + kwonlyargcount]
if annotate_dict and star_star_arg in annotate_dict:
self.write("**%s: %s" % (star_star_arg, annotate_dict[star_star_arg]))
else:
self.write("**%s" % star_star_arg)
if is_lambda:
self.write(": ")
else:
self.write(")")
if annotate_dict and "return" in annotate_dict:
self.write(" -> %s" % annotate_dict["return"])
self.println(":")
if node[-2] == "docstring" and not is_lambda:
# docstring exists, dump it
self.println(self.traverse(node[-2]))
assert ast in ("stmts", "lambda_start")
all_globals = find_all_globals(ast, set())
globals, nonlocals = find_globals_and_nonlocals(
ast, set(), set(), code, self.version
)
for g in sorted((all_globals & self.mod_globs) | globals):
self.println(self.indent, "global ", g)
for nl in sorted(nonlocals):
self.println(self.indent, "nonlocal ", nl)
self.mod_globs -= all_globals
has_none = "None" in code.co_names
rn = has_none and not find_none(ast)
self.gen_source(
ast, code.co_name, scanner_code._customize, is_lambda=is_lambda, returnNone=rn
)
# In obscure cases, a function may be a generator but the "yield"
# was optimized away. Here, we need to put in unreachable code to
# add in "yield" just so that the compiler will mark
# the GENERATOR bit of the function. See for example
# Python 3.x's test_connection.py and test_contexlib_async test programs.
if not is_lambda and code.co_flags & (CO_GENERATOR | CO_ASYNC_GENERATOR):
need_bogus_yield = True
for token in scanner_code._tokens:
if token == "YIELD_VALUE":
need_bogus_yield = False
break
pass
if need_bogus_yield:
self.template_engine(("%|if False:\n%+%|yield None%-",), node)
scanner_code._tokens = None # save memory
scanner_code._customize = None # save memory
| [
"40919586+NeonOcean@users.noreply.github.com"
] | 40919586+NeonOcean@users.noreply.github.com |
74c46271ad8f162030f2eeacf25b9762da91b4a6 | d734ea42794064f04fc7d20c02103b46e557cf83 | /Sentences.py | 80de37cdc037896ec045807374115b2312a1af04 | [] | no_license | Rishoban/AbstractiveTextSummarization | 9d0d7dc628067bda54a1cbbbdc00d5398c924d5c | 44a928b8f4423ade23baaacc9d3bbec239d751c1 | refs/heads/master | 2020-05-04T17:41:37.673608 | 2019-12-28T07:03:08 | 2019-12-28T07:03:08 | 179,322,301 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,860 | py | from nltk.corpus import stopwords
from nltk.cluster.util import cosine_distance
import numpy as np
from nltk.tokenize import sent_tokenize
def read_article(file_name):
file = open(file_name, "r")
filedata = file.readlines()
#Convert the document as String Object
sentence_string = make_String(filedata)
#Split the sentences
sentences = sent_tokenize(sentence_string)
return sentences
def sentence_similarity(sent1, sent2, stopwords=None):
if stopwords is None:
stopwords = []
sent1 = [w.lower() for w in sent1]
sent2 = [w.lower() for w in sent2]
all_words = list(set(sent1 + sent2))
vector1 = [0] * len(all_words)
vector2 = [0] * len(all_words)
# build the vector for the first sentence
for w in sent1:
if w in stopwords:
continue
vector1[all_words.index(w)] += 1
# build the vector for the second sentence
for w in sent2:
if w in stopwords:
continue
vector2[all_words.index(w)] += 1
return 1 - cosine_distance(vector1, vector2)
def build_similarity_matrix(sentences, stop_words):
# Create an empty similarity matrix
similarity_matrix = np.zeros((len(sentences), len(sentences)))
for idx1 in range(len(sentences)):
for idx2 in range(len(sentences)):
if idx1 == idx2: # ignore if both are same sentences
continue
similarity_matrix[idx1][idx2] = sentence_similarity(sentences[idx1], sentences[idx2], stop_words)
return similarity_matrix
def make_String(filedata):
sen = ""
for x in filedata:
sen += x
return sen
if __name__ == "__main__":
stop_words = stopwords.words('english')
snetense = read_article("Article2.txt")
similarity_matris = build_similarity_matrix(snetense, stop_words)
print(similarity_matris)
| [
"rishoban27@gmail.com"
] | rishoban27@gmail.com |
c90f2f2b47255a6b5eea2c2bb753ceb5989e6fe0 | 51fd69cc133a4f5eba61c90dbc87ff6531445840 | /ib/ib_gateway.py | d826f27ac7409133e3d98ecf5fef22fce4fd8ed7 | [] | no_license | risecloud/pyktrader2 | 36c7a8b3730fb6e900df488e67d78b453b14baf0 | 0d012bae464969dd893b7bf87ae689efa2d0bccc | refs/heads/master | 2021-04-28T14:19:54.616928 | 2018-02-13T17:56:26 | 2018-02-13T17:56:26 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 27,983 | py | # encoding: UTF-8
'''
Interactive Brokers的gateway接入,已经替换为vn.ib封装。
注意事项:
1. ib api只能获取和操作当前连接后下的单,并且每次重启程序后,之前下的单子收不到
2. ib api的成交也只会推送当前连接后的成交
3. ib api的持仓和账户更新可以订阅成主推模式,因此qryAccount和qryPosition就用不到了
4. 目前只支持股票和期货交易,ib api里期权合约的确定是基于Contract对象的多个字段,比较复杂暂时没做
5. 海外市场的交易规则和国内有很多细节上的不同,所以一些字段类型的映射可能不合理,如果发现问题欢迎指出
'''
import os
import json
import calendar
from datetime import datetime, timedelta
from copy import copy
from vnib import IbApi, Contract, Order, TagValueList
from gateway import *
# 以下为一些VT类型和CTP类型的映射字典
# 价格类型映射
priceTypeMap = {}
priceTypeMap[PRICETYPE_LIMITPRICE] = 'LMT'
priceTypeMap[PRICETYPE_MARKETPRICE] = 'MKT'
priceTypeMapReverse = {v: k for k, v in priceTypeMap.items()}
# 方向类型映射
directionMap = {}
directionMap[DIRECTION_LONG] = 'BUY'
#directionMap[DIRECTION_SHORT] = 'SSHORT' # SSHORT在IB系统中代表对股票的融券做空(而不是国内常见的卖出)
directionMap[DIRECTION_SHORT] = 'SELL' # 出于和国内的统一性考虑,这里选择把IB里的SELL印射为vt的SHORT
directionMapReverse = {v: k for k, v in directionMap.items()}
directionMapReverse['BOT'] = DIRECTION_LONG
directionMapReverse['SLD'] = DIRECTION_SHORT
# 交易所类型映射
exchangeMap = {}
exchangeMap[EXCHANGE_SMART] = 'SMART'
exchangeMap[EXCHANGE_NYMEX] = 'NYMEX'
exchangeMap[EXCHANGE_GLOBEX] = 'GLOBEX'
exchangeMap[EXCHANGE_IDEALPRO] = 'IDEALPRO'
exchangeMap[EXCHANGE_HKEX] = 'HKEX'
exchangeMap[EXCHANGE_HKFE] = 'HKFE'
exchangeMapReverse = {v:k for k,v in exchangeMap.items()}
# 报单状态映射
orderStatusMap = {}
orderStatusMap[STATUS_NOTTRADED] = 'Submitted'
orderStatusMap[STATUS_ALLTRADED] = 'Filled'
orderStatusMap[STATUS_CANCELLED] = 'Cancelled'
orderStatusMapReverse = {v:k for k,v in orderStatusMap.items()}
orderStatusMapReverse['PendingSubmit'] = STATUS_UNKNOWN # 这里未来视乎需求可以拓展vt订单的状态类型
orderStatusMapReverse['PendingCancel'] = STATUS_UNKNOWN
orderStatusMapReverse['PreSubmitted'] = STATUS_UNKNOWN
orderStatusMapReverse['Inactive'] = STATUS_UNKNOWN
# 合约类型映射
productClassMap = {}
productClassMap[PRODUCT_EQUITY] = 'STK'
productClassMap[PRODUCT_FUTURES] = 'FUT'
productClassMap[PRODUCT_OPTION] = 'OPT'
productClassMap[PRODUCT_FOREX] = 'CASH'
productClassMap[PRODUCT_INDEX] = 'IND'
productClassMapReverse = {v:k for k,v in productClassMap.items()}
# 期权类型映射
optionTypeMap = {}
optionTypeMap[OPTION_CALL] = 'CALL'
optionTypeMap[OPTION_PUT] = 'PUT'
optionTypeMap = {v:k for k,v in optionTypeMap.items()}
# 货币类型映射
currencyMap = {}
currencyMap[CURRENCY_USD] = 'USD'
currencyMap[CURRENCY_CNY] = 'CNY'
currencyMap[CURRENCY_HKD] = 'HKD'
currencyMap = {v:k for k,v in currencyMap.items()}
# Tick数据的Field和名称映射
tickFieldMap = {}
tickFieldMap[0] = 'bidVolume1'
tickFieldMap[1] = 'bidPrice1'
tickFieldMap[2] = 'askPrice1'
tickFieldMap[3] = 'askVolume1'
tickFieldMap[4] = 'lastPrice'
tickFieldMap[5] = 'lastVolume'
tickFieldMap[6] = 'highPrice'
tickFieldMap[7] = 'lowPrice'
tickFieldMap[8] = 'volume'
tickFieldMap[9] = 'preClosePrice'
tickFieldMap[14] = 'openPrice'
tickFieldMap[22] = 'openInterest'
# Account数据Key和名称的映射
accountKeyMap = {}
accountKeyMap['NetLiquidationByCurrency'] = 'balance'
accountKeyMap['NetLiquidation'] = 'balance'
accountKeyMap['UnrealizedPnL'] = 'positionProfit'
accountKeyMap['AvailableFunds'] = 'available'
accountKeyMap['MaintMarginReq'] = 'margin'
########################################################################
class IbGateway(Gateway):
"""IB接口"""
#----------------------------------------------------------------------
def __init__(self, eventEngine, gatewayName='IB'):
"""Constructor"""
super(IbGateway, self).__init__(eventEngine, gatewayName)
self.host = EMPTY_STRING # 连接地址
self.port = EMPTY_INT # 连接端口
self.clientId = EMPTY_INT # 用户编号
self.accountCode = EMPTY_STRING # 账户编号
self.tickerId = 0 # 订阅行情时的代码编号
self.tickDict = {} # tick快照字典,key为tickerId,value为VtTickData对象
self.tickProductDict = {} # tick对应的产品类型字典,key为tickerId,value为产品类型
self.orderId = 0 # 订单编号
self.orderDict = {} # 报单字典,key为orderId,value为VtOrderData对象
self.accountDict = {} # 账户字典
self.contractDict = {} # 合约字典
self.subscribeReqDict = {} # 用来保存订阅请求的字典
self.connected = False # 连接状态
self.api = IbWrapper(self) # API接口
#----------------------------------------------------------------------
def connect(self):
"""连接"""
# 载入json文件
fileName = self.file_prefix + 'connect.json'
try:
f = file(fileName)
except IOError:
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = u'读取连接配置出错,请检查'
self.onLog(log)
return
# 解析json文件
setting = json.load(f)
try:
self.host = str(setting['host'])
self.port = int(setting['port'])
self.clientId = int(setting['clientId'])
self.accountCode = str(setting['accountCode'])
except KeyError:
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = u'连接配置缺少字段,请检查'
self.onLog(log)
return
# 发起连接
self.api.eConnect(self.host, self.port, self.clientId, False)
# 查询服务器时间
self.api.reqCurrentTime()
#----------------------------------------------------------------------
def subscribe(self, subscribeReq):
"""订阅行情"""
# 如果尚未连接行情,则将订阅请求缓存下来后直接返回
if not self.connected:
self.subscribeReqDict[subscribeReq.symbol] = subscribeReq
return
contract = Contract()
contract.localSymbol = str(subscribeReq.symbol)
contract.exchange = exchangeMap.get(subscribeReq.exchange, '')
contract.secType = productClassMap.get(subscribeReq.productClass, '')
contract.currency = currencyMap.get(subscribeReq.currency, '')
contract.expiry = subscribeReq.expiry
contract.strike = subscribeReq.strikePrice
contract.right = optionTypeMap.get(subscribeReq.optionType, '')
# 获取合约详细信息
self.tickerId += 1
self.api.reqContractDetails(self.tickerId, contract)
# 创建合约对象并保存到字典中
ct = VtContractData()
ct.gatewayName = self.gatewayName
ct.symbol = str(subscribeReq.symbol)
ct.exchange = subscribeReq.exchange
ct.vtSymbol = '.'.join([ct.symbol, ct.exchange])
ct.productClass = subscribeReq.productClass
self.contractDict[ct.vtSymbol] = ct
# 订阅行情
self.tickerId += 1
self.api.reqMktData(self.tickerId, contract, '', False, TagValueList())
# 创建Tick对象并保存到字典中
tick = VtTickData()
tick.symbol = subscribeReq.symbol
tick.exchange = subscribeReq.exchange
tick.vtSymbol = '.'.join([tick.symbol, tick.exchange])
tick.gatewayName = self.gatewayName
self.tickDict[self.tickerId] = tick
self.tickProductDict[self.tickerId] = subscribeReq.productClass
#----------------------------------------------------------------------
def sendOrder(self, orderReq):
"""发单"""
# 增加报单号1,最后再次进行查询
# 这里双重设计的目的是为了防止某些情况下,连续发单时,nextOrderId的回调推送速度慢导致没有更新
self.orderId += 1
# 创建合约对象
contract = Contract()
contract.localSymbol = str(orderReq.symbol)
contract.exchange = exchangeMap.get(orderReq.exchange, '')
contract.secType = productClassMap.get(orderReq.productClass, '')
contract.currency = currencyMap.get(orderReq.currency, '')
contract.expiry = orderReq.expiry
contract.strike = orderReq.strikePrice
contract.right = optionTypeMap.get(orderReq.optionType, '')
contract.lastTradeDateOrContractMonth = str(orderReq.lastTradeDateOrContractMonth)
contract.multiplier = str(orderReq.multiplier)
# 创建委托对象
order = Order()
order.orderId = self.orderId
order.clientId = self.clientId
order.action = directionMap.get(orderReq.direction, '')
order.lmtPrice = orderReq.price
order.totalQuantity = orderReq.volume
order.orderType = priceTypeMap.get(orderReq.priceType, '')
# 发送委托
self.api.placeOrder(self.orderId, contract, order)
# 查询下一个有效编号
self.api.reqIds(1)
# 返回委托编号
vtOrderID = '.'.join([self.gatewayName, str(self.orderId)])
return vtOrderID
#----------------------------------------------------------------------
def cancelOrder(self, cancelOrderReq):
"""撤单"""
self.api.cancelOrder(int(cancelOrderReq.orderID))
#----------------------------------------------------------------------
def qryAccount(self):
"""查询账户资金"""
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = 'No need to query Account info'
self.onLog(log)
#----------------------------------------------------------------------
def qryPosition(self):
"""查询持仓"""
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = 'No need to query Position info'
self.onLog(log)
#----------------------------------------------------------------------
def close(self):
"""关闭"""
self.api.eDisconnect()
########################################################################
class IbWrapper(IbApi):
"""IB回调接口的实现"""
#----------------------------------------------------------------------
def __init__(self, gateway):
"""Constructor"""
super(IbWrapper, self).__init__()
self.apiStatus = False # 连接状态
self.gateway = gateway # gateway对象
self.gatewayName = gateway.gatewayName # gateway对象名称
self.tickDict = gateway.tickDict # tick快照字典,key为tickerId,value为VtTickData对象
self.orderDict = gateway.orderDict # order字典
self.accountDict = gateway.accountDict # account字典
self.contractDict = gateway.contractDict # contract字典
self.tickProductDict = gateway.tickProductDict
self.subscribeReqDict = gateway.subscribeReqDict
#----------------------------------------------------------------------
def nextValidId(self, orderId):
""""""
self.gateway.orderId = orderId
#----------------------------------------------------------------------
def currentTime(self, time):
"""连接成功后推送当前时间"""
dt = datetime.fromtimestamp(time)
t = dt.strftime("%Y-%m-%d %H:%M:%S.%f")
self.apiStatus = True
self.gateway.connected = True
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = u'行情服务器连接成功 t = %s' % t
self.gateway.onLog(log)
for symbol, req in self.subscribeReqDict.items():
del self.subscribeReqDict[symbol]
self.gateway.subscribe(req)
#----------------------------------------------------------------------
def connectAck(self):
""""""
pass
#----------------------------------------------------------------------
def error(self, id_, errorCode, errorString):
"""错误推送"""
err = VtErrorData()
err.gatewayName = self.gatewayName
err.errorID = errorCode
err.errorMsg = errorString.decode('GBK')
self.gateway.onError(err)
#----------------------------------------------------------------------
def accountSummary(self, reqId, account, tag, value, curency):
""""""
pass
#----------------------------------------------------------------------
def accountSummaryEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def tickPrice(self, tickerId, field, price, canAutoExecute):
"""行情价格相关推送"""
if field in tickFieldMap:
# 对于股票、期货等行情,有新价格推送时仅更新tick缓存
# 只有当发生成交后,tickString更新最新成交价时才推送新的tick
# 即bid/ask的价格变动并不会触发新的tick推送
tick = self.tickDict[tickerId]
key = tickFieldMap[field]
tick.__setattr__(key, price)
# IB的外汇行情没有成交价和时间,通过本地计算生成,同时立即推送
if self.tickProductDict[tickerId] == PRODUCT_FOREX:
tick.lastPrice = (tick.bidPrice1 + tick.askPrice1) / 2
dt = datetime.now()
tick.time = dt.strftime('%H:%M:%S.%f')
tick.date = dt.strftime('%Y%m%d')
# 行情数据更新
newtick = copy(tick)
self.gateway.onTick(newtick)
else:
print field
#----------------------------------------------------------------------
def tickSize(self, tickerId, field, size):
"""行情数量相关推送"""
if field in tickFieldMap:
tick = self.tickDict[tickerId]
key = tickFieldMap[field]
tick.__setattr__(key, size)
else:
print field
#----------------------------------------------------------------------
def tickOptionComputation(self, tickerId, tickType, impliedVol, delta, optPrice, pvDividend, gamma, vega, theta, undPrice):
""""""
pass
#----------------------------------------------------------------------
def tickGeneric(self, tickerId, tickType, value):
""""""
pass
#----------------------------------------------------------------------
def tickString(self, tickerId, tickType, value):
"""行情补充信息相关推送"""
# 如果是最新成交时间戳更新
if tickType == '45':
tick = self.tickDict[tickerId]
dt = datetime.fromtimestamp(value)
tick.time = dt.strftime('%H:%M:%S.%f')
tick.date = dt.strftime('%Y%m%d')
newtick = copy(tick)
self.gateway.onTick(newtick)
#----------------------------------------------------------------------
def tickEFP(self, tickerId, tickType, basisPoints, formattedBasisPoints, totalDividends, holdDays, futureLastTradeDate, dividendImpact, dividendsToLastTradeDate):
""""""
pass
#----------------------------------------------------------------------
def orderStatus(self, orderId, status, filled, remaining, avgFillPrice, permId, parentId, lastFillPrice, clientId, whyHeld):
"""委托状态更新"""
orderId = str(orderId)
if orderId in self.orderDict:
od = self.orderDict[orderId]
else:
od = VtOrderData() # od代表orderData
od.orderID = orderId
od.vtOrderID = '.'.join([self.gatewayName, orderId])
od.gatewayName = self.gatewayName
self.orderDict[orderId] = od
od.status = orderStatusMapReverse.get(status, STATUS_UNKNOWN)
od.tradedVolume = filled
newod = copy(od)
self.gateway.onOrder(newod)
#----------------------------------------------------------------------
def openOrder(self, orderId, contract, order, orderState):
"""下达委托推送"""
orderId = str(orderId) # orderId是整数
if orderId in self.orderDict:
od = self.orderDict[orderId]
else:
od = VtOrderData() # od代表orderData
od.orderID = orderId
od.vtOrderID = '.'.join([self.gatewayName, orderId])
od.symbol = contract.localSymbol
od.exchange = exchangeMapReverse.get(contract.exchange, '')
od.vtSymbol = '.'.join([od.symbol, od.exchange])
od.gatewayName = self.gatewayName
self.orderDict[orderId] = od
od.direction = directionMapReverse.get(order.action, '')
od.price = order.lmtPrice
od.totalVolume = order.totalQuantity
newod = copy(od)
self.gateway.onOrder(newod)
#----------------------------------------------------------------------
def openOrderEnd(self):
""""""
pass
#----------------------------------------------------------------------
def winError(self, str_, lastError):
""""""
pass
#----------------------------------------------------------------------
def connectionClosed(self):
"""断线"""
self.apiStatus = False
self.gateway.connected = False
log = VtLogData()
log.gatewayName = self.gatewayName
log.logContent = u'服务器连接断开'
self.gateway.onLog(log)
#----------------------------------------------------------------------
def updateAccountValue(self, key, val, currency, accountName):
"""更新账户数据"""
# 仅逐个字段更新数据,这里对于没有currency的推送忽略
if currency:
name = '.'.join([accountName, currency])
if name in self.accountDict:
account = self.accountDict[name]
else:
account = VtAccountData()
account.accountID = name
account.vtAccountID = name
account.gatewayName = self.gatewayName
self.accountDict[name] = account
if key in accountKeyMap:
k = accountKeyMap[key]
account.__setattr__(k, float(val))
#----------------------------------------------------------------------
def updatePortfolio(self, contract, position, marketPrice, marketValue, averageCost, unrealizedPNL, realizedPNL, accountName):
"""持仓更新"""
pos = VtPositionData()
pos.symbol = contract.localSymbol
pos.exchange = exchangeMapReverse.get(contract.exchange, contract.exchange)
pos.vtSymbol = '.'.join([pos.symbol, pos.exchange])
pos.direction = DIRECTION_NET
pos.position = position
pos.price = averageCost
pos.vtPositionName = pos.vtSymbol
pos.gatewayName = self.gatewayName
self.gateway.onPosition(pos)
#----------------------------------------------------------------------
def updateAccountTime(self, timeStamp):
"""更新账户时间"""
# 推送数据
for account in self.accountDict.values():
newaccount = copy(account)
self.gateway.onAccount(newaccount)
#----------------------------------------------------------------------
def accountDownloadEnd(self, accountName):
""""""
pass
#----------------------------------------------------------------------
def contractDetails(self, reqId, contractDetails):
"""合约查询回报"""
symbol = contractDetails.summary.localSymbol
exchange = exchangeMapReverse.get(contractDetails.summary.exchange, EXCHANGE_UNKNOWN)
vtSymbol = '.'.join([symbol, exchange])
ct = self.contractDict.get(vtSymbol, None)
if not ct:
return
ct.name = contractDetails.longName.decode('UTF-8')
ct.priceTick = contractDetails.minTick
# 推送
self.gateway.onContract(ct)
#----------------------------------------------------------------------
def bondContractDetails(self, reqId, contractDetails):
""""""
pass
#----------------------------------------------------------------------
def contractDetailsEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def execDetails(self, reqId, contract, execution):
"""成交推送"""
trade = VtTradeData()
trade.gatewayName = self.gatewayName
trade.tradeID = execution.execId
trade.vtTradeID = '.'.join([self.gatewayName, trade.tradeID])
trade.symbol = contract.localSymbol
trade.exchange = exchangeMapReverse.get(contract.exchange, '')
trade.vtSymbol = '.'.join([trade.symbol, trade.exchange])
trade.orderID = str(execution.orderId)
trade.vtOrderID = '.'.join([self.gatewayName, trade.orderID])
trade.direction = directionMapReverse.get(execution.side, '')
trade.price = execution.price
trade.volume = execution.shares
trade.tradeTime = execution.time
self.gateway.onTrade(trade)
#----------------------------------------------------------------------
def execDetailsEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def updateMktDepth(self, id_, position, operation, side, price, size):
""""""
pass
#----------------------------------------------------------------------
def updateMktDepthL2(self, id_, position, marketMaker, operation, side, price, size):
""""""
pass
#----------------------------------------------------------------------
def updateNewsBulletin(self, msgId, msgType, newsMessage, originExch):
""""""
pass
#----------------------------------------------------------------------
def managedAccounts(self, accountsList):
"""推送管理账户的信息"""
l = accountsList.split(',')
# 请求账户数据主推更新
for account in l:
self.reqAccountUpdates(True, account)
#----------------------------------------------------------------------
def receiveFA(self, pFaDataType, cxml):
""""""
pass
#----------------------------------------------------------------------
def historicalData(self, reqId, date, open_, high, low, close, volume, barCount, WAP, hasGaps):
""""""
pass
#----------------------------------------------------------------------
def scannerParameters(self, xml):
""""""
pass
#----------------------------------------------------------------------
def scannerData(self, reqId, rank, contractDetails, distance, benchmark, projection, legsStr):
""""""
pass
#----------------------------------------------------------------------
def scannerDataEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def realtimeBar(self, reqId, time, open_, high, low, close, volume, wap, count):
""""""
pass
#----------------------------------------------------------------------
def fundamentalData(self, reqId, data):
""""""
pass
#----------------------------------------------------------------------
def deltaNeutralValidation(self, reqId, underComp):
""""""
pass
#----------------------------------------------------------------------
def tickSnapshotEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def marketDataType(self, reqId, marketDataType):
""""""
pass
#----------------------------------------------------------------------
def commissionReport(self, commissionReport):
""""""
pass
#----------------------------------------------------------------------
def position(self, account, contract, position, avgCost):
""""""
pass
#----------------------------------------------------------------------
def positionEnd(self):
""""""
pass
#----------------------------------------------------------------------
def verifyMessageAPI(self, apiData):
""""""
pass
#----------------------------------------------------------------------
def verifyCompleted(self, isSuccessful, errorText):
""""""
pass
#----------------------------------------------------------------------
def displayGroupList(self, reqId, groups):
""""""
pass
#----------------------------------------------------------------------
def displayGroupUpdated(self, reqId, contractInfo):
""""""
pass
#----------------------------------------------------------------------
def verifyAndAuthMessageAPI(self, apiData, xyzChallange):
""""""
pass
#----------------------------------------------------------------------
def verifyAndAuthCompleted(self, isSuccessful, errorText):
""""""
pass
#----------------------------------------------------------------------
def positionMulti(self, reqId, account, modelCode, contract, pos, avgCost):
""""""
pass
#----------------------------------------------------------------------
def positionMultiEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def accountUpdateMulti(self, reqId, account, modelCode, key, value, currency):
""""""
pass
#----------------------------------------------------------------------
def accountUpdateMultiEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def securityDefinitionOptionalParameter(self, reqId, exchange, underlyingConId, tradingClass, multiplier, expirations, strikes):
""""""
pass
#----------------------------------------------------------------------
def securityDefinitionOptionalParameterEnd(self, reqId):
""""""
pass
#----------------------------------------------------------------------
def softDollarTiers(self, reqId, tiers):
""""""
pass
| [
"harvey_wwu@hotmail.com"
] | harvey_wwu@hotmail.com |
3c75260b5e4ea95e62b5308d82fca71483ebc612 | 443d8ce2b7b706236eda935e0cd809c3ed9ddae3 | /virtual/bin/gunicorn | ca6b74ade67c3e02d6ea287a95095fbacd1cee42 | [
"MIT"
] | permissive | billowbashir/MaNeighba | 269db52b506d4954e2907369340c97ce2c3a7a2f | 84ee7f86ac471c5449d94bd592adf004b3288823 | refs/heads/master | 2021-11-21T14:22:14.891877 | 2020-02-13T09:41:21 | 2020-02-13T09:41:21 | 153,802,533 | 0 | 0 | null | 2021-09-08T00:33:53 | 2018-10-19T15:15:16 | Python | UTF-8 | Python | false | false | 246 | #!/home/bashir/MaNeighba/virtual/bin/python
# -*- coding: utf-8 -*-
import re
import sys
from gunicorn.app.wsgiapp import run
if __name__ == '__main__':
sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0])
sys.exit(run())
| [
"billowbashir@gmail.com"
] | billowbashir@gmail.com | |
50bc42409419887979cd7bad5bc95a6288d39439 | fcdfe97b463bbcfd4094a837107a7dee515ed8ad | /day4/password.py | 8e544e24b4ee374e5eb14132bb7afbb664b912c5 | [] | no_license | mnikkel/adventofcode2019 | ed32944dce9664baa6e4a30151d3654702eebbe6 | 30edf548e870fd1fb106f16a86db3f10ec6b8922 | refs/heads/master | 2020-11-24T00:37:57.970087 | 2019-12-21T16:00:47 | 2019-12-21T16:00:47 | 227,887,555 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 565 | py | #!/usr/bin/env python
# -*- coding: utf-8 -*-
PASSWORDS = []
PART2 = []
def split_int(number):
return list(map(int, list(str(number))))
def check_passwords(first, last):
for password in range(first, last):
digits = split_int(password)
if digits != sorted(digits):
continue
if any(digits.count(x) > 1 for x in digits):
PASSWORDS.append(digits)
if any(digits.count(x) == 2 for x in digits):
PART2.append(digits)
check_passwords(125730, 579381)
print(len(PASSWORDS))
print(len(PART2))
| [
"mnikkel@gmail.com"
] | mnikkel@gmail.com |
cd618305ac17c11ecd73e6f388d47a2aee1b79b8 | 99e5384b43128ddfa5207c88f1d8919e35f2f2e2 | /sim.py | 6f1cf149ad0bbff850be3dce47baa797c15ade2a | [] | no_license | TDoGoodT/poly-sim | bc5b6936d21f1a7d6f0dd11efa2b0a7316bceba8 | 49cb806697b2d35ec6f0e8f1b9ba985db9ed871f | refs/heads/master | 2023-08-10T19:29:14.949397 | 2021-09-14T21:43:43 | 2021-09-14T21:43:43 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 430 | py | from random import randint as rint
import numpy as np
import math
from utils import *
def get_sums():
init_poly = np.array([states[rint(0,3)] for i in range(N)])
sums = None
for _ in range(10**2):
_, sum = mont_carlo_poly_sim(init_poly, 10**4, N, b*f*a)
if sums is None:
sums = sum
else:
sums = np.vstack((sums,sum))
return np.sum(sums, axis=0)
print(get_sums())
| [
"bachar.snir@gmail.com"
] | bachar.snir@gmail.com |
7088f08c8698f900e9a5327427a6296fb352b6ae | 0e54c113bc131aeec3c0a215a2034b57d19a0253 | /beginning_python/getopt_example.py | bb6c9932da3c3726706331adfe852bbf22339d70 | [] | no_license | ozdael/python | 49e3e2d4dcd73cf1ada3e1cd2e3c6034067f43c5 | d79b77a08d54286f1fc937dad5f94bb6a24e28f1 | refs/heads/master | 2020-03-22T06:57:03.298313 | 2018-07-04T04:55:50 | 2018-07-04T04:55:50 | 139,668,372 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 612 | py | import sys
import getopt
# Remember, the first thing in the sys.argv list is the name of the command
# You don't need that.
cmdline_params = sys.argv[1:]
opts, args = getopt.getopt(cmdline_params, 'hc:', ['help', 'config='])
for option, parameter in opts:
if option == '-h' or option == '- -help':
print("This program can be run with either -h or - -help for this message,")
print("or with -c or - -config=<file> to specify a different configuration file")
if option in ('-c', '- -config'): # this means the same as the above
print("Using configuration file %s" % parameter)
| [
"jaap.dalemans@gmail.com"
] | jaap.dalemans@gmail.com |
f8332b51ff86f76385fbe4be9e2a971f78b0b4df | bb1e0e89fcf1f1ffb61214ddf262ba327dd10757 | /plotly_study/graph_objs/choropleth/colorbar/__init__.py | 260c248d1ed0c88a620f4f61647a5a35e410ceb2 | [
"MIT"
] | permissive | lucasiscovici/plotly_py | ccb8c3ced89a0f7eccf1ae98551fa712460033fe | 42ab769febb45fbbe0a3c677dc4306a4f59cea36 | refs/heads/master | 2020-09-12T05:43:12.363609 | 2019-12-02T15:13:13 | 2019-12-02T15:13:13 | 222,328,180 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 25,104 | py | from plotly_study.basedatatypes import BaseTraceHierarchyType as _BaseTraceHierarchyType
import copy as _copy
class Title(_BaseTraceHierarchyType):
# font
# ----
@property
def font(self):
"""
Sets this color bar's title font. Note that the title's font
used to be set by the now deprecated `titlefont` attribute.
The 'font' property is an instance of Font
that may be specified as:
- An instance of plotly_study.graph_objs.choropleth.colorbar.title.Font
- A dict of string/value properties that will be passed
to the Font constructor
Supported dict properties:
color
family
HTML font family - the typeface that will be
applied by the web browser. The web browser
will only be able to apply a font if it is
available on the system which it operates.
Provide multiple font families, separated by
commas, to indicate the preference in which to
apply fonts if they aren't available on the
system. The plotly service (at https://plot.ly
or on-premise) generates images on a server,
where only a select number of fonts are
installed and supported. These include "Arial",
"Balto", "Courier New", "Droid Sans",, "Droid
Serif", "Droid Sans Mono", "Gravitas One", "Old
Standard TT", "Open Sans", "Overpass", "PT Sans
Narrow", "Raleway", "Times New Roman".
size
Returns
-------
plotly_study.graph_objs.choropleth.colorbar.title.Font
"""
return self["font"]
@font.setter
def font(self, val):
self["font"] = val
# side
# ----
@property
def side(self):
"""
Determines the location of color bar's title with respect to
the color bar. Note that the title's location used to be set by
the now deprecated `titleside` attribute.
The 'side' property is an enumeration that may be specified as:
- One of the following enumeration values:
['right', 'top', 'bottom']
Returns
-------
Any
"""
return self["side"]
@side.setter
def side(self, val):
self["side"] = val
# text
# ----
@property
def text(self):
"""
Sets the title of the color bar. Note that before the existence
of `title.text`, the title's contents used to be defined as the
`title` attribute itself. This behavior has been deprecated.
The 'text' property is a string and must be specified as:
- A string
- A number that will be converted to a string
Returns
-------
str
"""
return self["text"]
@text.setter
def text(self, val):
self["text"] = val
# property parent name
# --------------------
@property
def _parent_path_str(self):
return "choropleth.colorbar"
# Self properties description
# ---------------------------
@property
def _prop_descriptions(self):
return """\
font
Sets this color bar's title font. Note that the title's
font used to be set by the now deprecated `titlefont`
attribute.
side
Determines the location of color bar's title with
respect to the color bar. Note that the title's
location used to be set by the now deprecated
`titleside` attribute.
text
Sets the title of the color bar. Note that before the
existence of `title.text`, the title's contents used to
be defined as the `title` attribute itself. This
behavior has been deprecated.
"""
def __init__(self, arg=None, font=None, side=None, text=None, **kwargs):
"""
Construct a new Title object
Parameters
----------
arg
dict of properties compatible with this constructor or
an instance of
plotly_study.graph_objs.choropleth.colorbar.Title
font
Sets this color bar's title font. Note that the title's
font used to be set by the now deprecated `titlefont`
attribute.
side
Determines the location of color bar's title with
respect to the color bar. Note that the title's
location used to be set by the now deprecated
`titleside` attribute.
text
Sets the title of the color bar. Note that before the
existence of `title.text`, the title's contents used to
be defined as the `title` attribute itself. This
behavior has been deprecated.
Returns
-------
Title
"""
super(Title, self).__init__("title")
# Validate arg
# ------------
if arg is None:
arg = {}
elif isinstance(arg, self.__class__):
arg = arg.to_plotly_json()
elif isinstance(arg, dict):
arg = _copy.copy(arg)
else:
raise ValueError(
"""\
The first argument to the plotly_study.graph_objs.choropleth.colorbar.Title
constructor must be a dict or
an instance of plotly_study.graph_objs.choropleth.colorbar.Title"""
)
# Handle skip_invalid
# -------------------
self._skip_invalid = kwargs.pop("skip_invalid", False)
# Import validators
# -----------------
from plotly_study.validators.choropleth.colorbar import title as v_title
# Initialize validators
# ---------------------
self._validators["font"] = v_title.FontValidator()
self._validators["side"] = v_title.SideValidator()
self._validators["text"] = v_title.TextValidator()
# Populate data dict with properties
# ----------------------------------
_v = arg.pop("font", None)
self["font"] = font if font is not None else _v
_v = arg.pop("side", None)
self["side"] = side if side is not None else _v
_v = arg.pop("text", None)
self["text"] = text if text is not None else _v
# Process unknown kwargs
# ----------------------
self._process_kwargs(**dict(arg, **kwargs))
# Reset skip_invalid
# ------------------
self._skip_invalid = False
from plotly_study.basedatatypes import BaseTraceHierarchyType as _BaseTraceHierarchyType
import copy as _copy
class Tickformatstop(_BaseTraceHierarchyType):
# dtickrange
# ----------
@property
def dtickrange(self):
"""
range [*min*, *max*], where "min", "max" - dtick values which
describe some zoom level, it is possible to omit "min" or "max"
value by passing "null"
The 'dtickrange' property is an info array that may be specified as:
* a list or tuple of 2 elements where:
(0) The 'dtickrange[0]' property accepts values of any type
(1) The 'dtickrange[1]' property accepts values of any type
Returns
-------
list
"""
return self["dtickrange"]
@dtickrange.setter
def dtickrange(self, val):
self["dtickrange"] = val
# enabled
# -------
@property
def enabled(self):
"""
Determines whether or not this stop is used. If `false`, this
stop is ignored even within its `dtickrange`.
The 'enabled' property must be specified as a bool
(either True, or False)
Returns
-------
bool
"""
return self["enabled"]
@enabled.setter
def enabled(self, val):
self["enabled"] = val
# name
# ----
@property
def name(self):
"""
When used in a template, named items are created in the output
figure in addition to any items the figure already has in this
array. You can modify these items in the output figure by
making your own item with `templateitemname` matching this
`name` alongside your modifications (including `visible: false`
or `enabled: false` to hide it). Has no effect outside of a
template.
The 'name' property is a string and must be specified as:
- A string
- A number that will be converted to a string
Returns
-------
str
"""
return self["name"]
@name.setter
def name(self, val):
self["name"] = val
# templateitemname
# ----------------
@property
def templateitemname(self):
"""
Used to refer to a named item in this array in the template.
Named items from the template will be created even without a
matching item in the input figure, but you can modify one by
making an item with `templateitemname` matching its `name`,
alongside your modifications (including `visible: false` or
`enabled: false` to hide it). If there is no template or no
matching item, this item will be hidden unless you explicitly
show it with `visible: true`.
The 'templateitemname' property is a string and must be specified as:
- A string
- A number that will be converted to a string
Returns
-------
str
"""
return self["templateitemname"]
@templateitemname.setter
def templateitemname(self, val):
self["templateitemname"] = val
# value
# -----
@property
def value(self):
"""
string - dtickformat for described zoom level, the same as
"tickformat"
The 'value' property is a string and must be specified as:
- A string
- A number that will be converted to a string
Returns
-------
str
"""
return self["value"]
@value.setter
def value(self, val):
self["value"] = val
# property parent name
# --------------------
@property
def _parent_path_str(self):
return "choropleth.colorbar"
# Self properties description
# ---------------------------
@property
def _prop_descriptions(self):
return """\
dtickrange
range [*min*, *max*], where "min", "max" - dtick values
which describe some zoom level, it is possible to omit
"min" or "max" value by passing "null"
enabled
Determines whether or not this stop is used. If
`false`, this stop is ignored even within its
`dtickrange`.
name
When used in a template, named items are created in the
output figure in addition to any items the figure
already has in this array. You can modify these items
in the output figure by making your own item with
`templateitemname` matching this `name` alongside your
modifications (including `visible: false` or `enabled:
false` to hide it). Has no effect outside of a
template.
templateitemname
Used to refer to a named item in this array in the
template. Named items from the template will be created
even without a matching item in the input figure, but
you can modify one by making an item with
`templateitemname` matching its `name`, alongside your
modifications (including `visible: false` or `enabled:
false` to hide it). If there is no template or no
matching item, this item will be hidden unless you
explicitly show it with `visible: true`.
value
string - dtickformat for described zoom level, the same
as "tickformat"
"""
def __init__(
self,
arg=None,
dtickrange=None,
enabled=None,
name=None,
templateitemname=None,
value=None,
**kwargs
):
"""
Construct a new Tickformatstop object
Parameters
----------
arg
dict of properties compatible with this constructor or
an instance of
plotly_study.graph_objs.choropleth.colorbar.Tickformatstop
dtickrange
range [*min*, *max*], where "min", "max" - dtick values
which describe some zoom level, it is possible to omit
"min" or "max" value by passing "null"
enabled
Determines whether or not this stop is used. If
`false`, this stop is ignored even within its
`dtickrange`.
name
When used in a template, named items are created in the
output figure in addition to any items the figure
already has in this array. You can modify these items
in the output figure by making your own item with
`templateitemname` matching this `name` alongside your
modifications (including `visible: false` or `enabled:
false` to hide it). Has no effect outside of a
template.
templateitemname
Used to refer to a named item in this array in the
template. Named items from the template will be created
even without a matching item in the input figure, but
you can modify one by making an item with
`templateitemname` matching its `name`, alongside your
modifications (including `visible: false` or `enabled:
false` to hide it). If there is no template or no
matching item, this item will be hidden unless you
explicitly show it with `visible: true`.
value
string - dtickformat for described zoom level, the same
as "tickformat"
Returns
-------
Tickformatstop
"""
super(Tickformatstop, self).__init__("tickformatstops")
# Validate arg
# ------------
if arg is None:
arg = {}
elif isinstance(arg, self.__class__):
arg = arg.to_plotly_json()
elif isinstance(arg, dict):
arg = _copy.copy(arg)
else:
raise ValueError(
"""\
The first argument to the plotly_study.graph_objs.choropleth.colorbar.Tickformatstop
constructor must be a dict or
an instance of plotly_study.graph_objs.choropleth.colorbar.Tickformatstop"""
)
# Handle skip_invalid
# -------------------
self._skip_invalid = kwargs.pop("skip_invalid", False)
# Import validators
# -----------------
from plotly_study.validators.choropleth.colorbar import (
tickformatstop as v_tickformatstop,
)
# Initialize validators
# ---------------------
self._validators["dtickrange"] = v_tickformatstop.DtickrangeValidator()
self._validators["enabled"] = v_tickformatstop.EnabledValidator()
self._validators["name"] = v_tickformatstop.NameValidator()
self._validators[
"templateitemname"
] = v_tickformatstop.TemplateitemnameValidator()
self._validators["value"] = v_tickformatstop.ValueValidator()
# Populate data dict with properties
# ----------------------------------
_v = arg.pop("dtickrange", None)
self["dtickrange"] = dtickrange if dtickrange is not None else _v
_v = arg.pop("enabled", None)
self["enabled"] = enabled if enabled is not None else _v
_v = arg.pop("name", None)
self["name"] = name if name is not None else _v
_v = arg.pop("templateitemname", None)
self["templateitemname"] = (
templateitemname if templateitemname is not None else _v
)
_v = arg.pop("value", None)
self["value"] = value if value is not None else _v
# Process unknown kwargs
# ----------------------
self._process_kwargs(**dict(arg, **kwargs))
# Reset skip_invalid
# ------------------
self._skip_invalid = False
from plotly_study.basedatatypes import BaseTraceHierarchyType as _BaseTraceHierarchyType
import copy as _copy
class Tickfont(_BaseTraceHierarchyType):
# color
# -----
@property
def color(self):
"""
The 'color' property is a color and may be specified as:
- A hex string (e.g. '#ff0000')
- An rgb/rgba string (e.g. 'rgb(255,0,0)')
- An hsl/hsla string (e.g. 'hsl(0,100%,50%)')
- An hsv/hsva string (e.g. 'hsv(0,100%,100%)')
- A named CSS color:
aliceblue, antiquewhite, aqua, aquamarine, azure,
beige, bisque, black, blanchedalmond, blue,
blueviolet, brown, burlywood, cadetblue,
chartreuse, chocolate, coral, cornflowerblue,
cornsilk, crimson, cyan, darkblue, darkcyan,
darkgoldenrod, darkgray, darkgrey, darkgreen,
darkkhaki, darkmagenta, darkolivegreen, darkorange,
darkorchid, darkred, darksalmon, darkseagreen,
darkslateblue, darkslategray, darkslategrey,
darkturquoise, darkviolet, deeppink, deepskyblue,
dimgray, dimgrey, dodgerblue, firebrick,
floralwhite, forestgreen, fuchsia, gainsboro,
ghostwhite, gold, goldenrod, gray, grey, green,
greenyellow, honeydew, hotpink, indianred, indigo,
ivory, khaki, lavender, lavenderblush, lawngreen,
lemonchiffon, lightblue, lightcoral, lightcyan,
lightgoldenrodyellow, lightgray, lightgrey,
lightgreen, lightpink, lightsalmon, lightseagreen,
lightskyblue, lightslategray, lightslategrey,
lightsteelblue, lightyellow, lime, limegreen,
linen, magenta, maroon, mediumaquamarine,
mediumblue, mediumorchid, mediumpurple,
mediumseagreen, mediumslateblue, mediumspringgreen,
mediumturquoise, mediumvioletred, midnightblue,
mintcream, mistyrose, moccasin, navajowhite, navy,
oldlace, olive, olivedrab, orange, orangered,
orchid, palegoldenrod, palegreen, paleturquoise,
palevioletred, papayawhip, peachpuff, peru, pink,
plum, powderblue, purple, red, rosybrown,
royalblue, rebeccapurple, saddlebrown, salmon,
sandybrown, seagreen, seashell, sienna, silver,
skyblue, slateblue, slategray, slategrey, snow,
springgreen, steelblue, tan, teal, thistle, tomato,
turquoise, violet, wheat, white, whitesmoke,
yellow, yellowgreen
Returns
-------
str
"""
return self["color"]
@color.setter
def color(self, val):
self["color"] = val
# family
# ------
@property
def family(self):
"""
HTML font family - the typeface that will be applied by the web
browser. The web browser will only be able to apply a font if
it is available on the system which it operates. Provide
multiple font families, separated by commas, to indicate the
preference in which to apply fonts if they aren't available on
the system. The plotly service (at https://plot.ly or on-
premise) generates images on a server, where only a select
number of fonts are installed and supported. These include
"Arial", "Balto", "Courier New", "Droid Sans",, "Droid Serif",
"Droid Sans Mono", "Gravitas One", "Old Standard TT", "Open
Sans", "Overpass", "PT Sans Narrow", "Raleway", "Times New
Roman".
The 'family' property is a string and must be specified as:
- A non-empty string
Returns
-------
str
"""
return self["family"]
@family.setter
def family(self, val):
self["family"] = val
# size
# ----
@property
def size(self):
"""
The 'size' property is a number and may be specified as:
- An int or float in the interval [1, inf]
Returns
-------
int|float
"""
return self["size"]
@size.setter
def size(self, val):
self["size"] = val
# property parent name
# --------------------
@property
def _parent_path_str(self):
return "choropleth.colorbar"
# Self properties description
# ---------------------------
@property
def _prop_descriptions(self):
return """\
color
family
HTML font family - the typeface that will be applied by
the web browser. The web browser will only be able to
apply a font if it is available on the system which it
operates. Provide multiple font families, separated by
commas, to indicate the preference in which to apply
fonts if they aren't available on the system. The
plotly service (at https://plot.ly or on-premise)
generates images on a server, where only a select
number of fonts are installed and supported. These
include "Arial", "Balto", "Courier New", "Droid Sans",,
"Droid Serif", "Droid Sans Mono", "Gravitas One", "Old
Standard TT", "Open Sans", "Overpass", "PT Sans
Narrow", "Raleway", "Times New Roman".
size
"""
def __init__(self, arg=None, color=None, family=None, size=None, **kwargs):
"""
Construct a new Tickfont object
Sets the color bar's tick label font
Parameters
----------
arg
dict of properties compatible with this constructor or
an instance of
plotly_study.graph_objs.choropleth.colorbar.Tickfont
color
family
HTML font family - the typeface that will be applied by
the web browser. The web browser will only be able to
apply a font if it is available on the system which it
operates. Provide multiple font families, separated by
commas, to indicate the preference in which to apply
fonts if they aren't available on the system. The
plotly service (at https://plot.ly or on-premise)
generates images on a server, where only a select
number of fonts are installed and supported. These
include "Arial", "Balto", "Courier New", "Droid Sans",,
"Droid Serif", "Droid Sans Mono", "Gravitas One", "Old
Standard TT", "Open Sans", "Overpass", "PT Sans
Narrow", "Raleway", "Times New Roman".
size
Returns
-------
Tickfont
"""
super(Tickfont, self).__init__("tickfont")
# Validate arg
# ------------
if arg is None:
arg = {}
elif isinstance(arg, self.__class__):
arg = arg.to_plotly_json()
elif isinstance(arg, dict):
arg = _copy.copy(arg)
else:
raise ValueError(
"""\
The first argument to the plotly_study.graph_objs.choropleth.colorbar.Tickfont
constructor must be a dict or
an instance of plotly_study.graph_objs.choropleth.colorbar.Tickfont"""
)
# Handle skip_invalid
# -------------------
self._skip_invalid = kwargs.pop("skip_invalid", False)
# Import validators
# -----------------
from plotly_study.validators.choropleth.colorbar import tickfont as v_tickfont
# Initialize validators
# ---------------------
self._validators["color"] = v_tickfont.ColorValidator()
self._validators["family"] = v_tickfont.FamilyValidator()
self._validators["size"] = v_tickfont.SizeValidator()
# Populate data dict with properties
# ----------------------------------
_v = arg.pop("color", None)
self["color"] = color if color is not None else _v
_v = arg.pop("family", None)
self["family"] = family if family is not None else _v
_v = arg.pop("size", None)
self["size"] = size if size is not None else _v
# Process unknown kwargs
# ----------------------
self._process_kwargs(**dict(arg, **kwargs))
# Reset skip_invalid
# ------------------
self._skip_invalid = False
__all__ = ["Tickfont", "Tickformatstop", "Tickformatstop", "Title", "title"]
from plotly_study.graph_objs.choropleth.colorbar import title
| [
"you@example.com"
] | you@example.com |
c1dd619c542ac685e1452df0f6b05a2b7a673d43 | 174b1e7227faab8e83841a4c3329fc8b812af774 | /app/fetch_papers.py | 62d8e8ccf211b2e6d29f02e941756add8e062c6e | [
"MIT"
] | permissive | ad48/asp | 5c4b756e6ee346f2900f1f6326f1a09aaaf62f0c | 7288504dd468d6d75f58a06b3f202a0dbc6350a5 | refs/heads/master | 2021-07-03T13:55:40.062696 | 2019-05-26T13:47:29 | 2019-05-26T13:47:29 | 99,157,008 | 0 | 0 | MIT | 2021-06-01T23:47:04 | 2017-08-02T20:14:33 | Python | UTF-8 | Python | false | false | 7,908 | py | """
Queries arxiv API and downloads papers (the query is a parameter).
The script is intended to enrich an existing database pickle (by default db.p),
so this file will be loaded first, and then new results will be added to it.
"""
# import app
from config import Config as config
import os
import time
import pickle
import random
import argparse
import urllib.request
import feedparser
import requests
import sqlite3
from utils import safe_pickle_dump
# import app
def chunks(l, n):
# For item i in a range that is a length of l,
for i in range(0, len(l), n):
# Create an index range for l of n items:
yield l[i:i+n]
def get_api_data(batch):
'''Retrieve API data for a particular preprint id'''
l = ','.join(batch)
url = r'http://export.arxiv.org/api/query?id_list={}&max_results={}'.format(l,len(batch))
data = requests.get(url).text
js = feedparser.parse(data)
return js
def arx_data_from_pids(pids, batch_size=100):
'''
Retrieves data in batches of 100 from ArXiv.
'''
arx_data = []
k=0
for batch_pids in chunks(pids,batch_size):
# sleep 3s between api calls
time.sleep(3)
api_output = get_api_data(batch_pids)
api_output = api_output['entries']
# i=0
for item in api_output:
arx_data.append(item)
# i+=1
k+=1
print(k, ' items processed')
return arx_data
def encode_feedparser_dict(d):
"""
helper function to get rid of feedparser bs with a deep copy.
I hate when libs wrap simple things in their own classes.
"""
if isinstance(d, feedparser.FeedParserDict) or isinstance(d, dict):
j = {}
for k in d.keys():
j[k] = encode_feedparser_dict(d[k])
return j
elif isinstance(d, list):
l = []
for k in d:
l.append(encode_feedparser_dict(k))
return l
else:
return d
def parse_arxiv_url(url):
"""
examples is http://arxiv.org/abs/1512.08756v2
we want to extract the raw id and the version
"""
ix = url.rfind('/')
idversion = url[ix+1:] # extract just the id (and the version)
parts = idversion.split('v')
assert len(parts) == 2, 'error parsing url ' + url
return parts[0], int(parts[1])
if __name__ == "__main__":
# parse input arguments
parser = argparse.ArgumentParser()
parser.add_argument('--search-query', type=str,
default='cat:gr-qc',
help='query used for arxiv API. See http://arxiv.org/help/api/user-manual#detailed_examples')
parser.add_argument('--start-index', type=int, default=0, help='0 = most recent API result')
parser.add_argument('--max-index', type=int, default=500, help='upper bound on paper index we will fetch')
parser.add_argument('--results-per-iteration', type=int, default=100, help='passed to arxiv API')
parser.add_argument('--wait-time', type=float, default=5.0, help='lets be gentle to arxiv API (in number of seconds)')
parser.add_argument('--break-on-no-added', type=int, default=200, help='break out early if all returned query papers are already in db? 1=yes, 0=no')
args = parser.parse_args()
# misc hardcoded variables
base_url = 'http://export.arxiv.org/api/query?' # base api query url
print('Searching arXiv for %s' % (args.search_query, ))
# lets load the existing database to memory
try:
db = pickle.load(open(config.DB_PATH, 'rb'))
except Exception as e:
print('error loading existing database:')
print(e)
print('starting from an empty database')
db = {}
# time.sleep(5) # useful in debugging
# -----------------------------------------------------------------------------
# main loop where we fetch the new results
print('database has %d entries at start' % (len(db), ))
num_added_total = 0
# -----------------------------------------------------------------------------
# -----------------------------------------------------------------------------
# AD Edit
# add preprints from users' publication histories
if not os.path.isfile(config.DATABASE_PATH):
print("the database file as.db should exist. You can create an empty database with sqlite3 as.db < schema.sql")
sys.exit()
sqldb = sqlite3.connect(config.DATABASE_PATH)
sqldb.row_factory = sqlite3.Row # to return dicts rather than tuples
def query_db(query, args=(), one=False):
"""Queries the database and returns a list of dictionaries."""
cur = sqldb.execute(query, args)
rv = cur.fetchall()
return (rv[0] if rv else None) if one else rv
publications = query_db('''select * from publication''')
pids = []
for publication in publications:
pid = publication['paper_id']
pids.append(pid)
pids = list(set(pids))
# print('pids', pids)
parse = arx_data_from_pids(pids=pids,batch_size=100)
# print('PARSE', parse)
num_added = 0
num_skipped = 0
for e in parse:
j = encode_feedparser_dict(e)
# print('j', j)
# extract just the raw arxiv id and version for this paper
rawid, version = parse_arxiv_url(j['id'])
j['_rawid'] = rawid
j['_version'] = version
# add to our database if we didn't have it before, or if this is a new version
if not rawid in db or j['_version'] > db[rawid]['_version']:
db[rawid] = j
print('Updated %s added %s' % (j['updated'].encode('utf-8'), j['title'].encode('utf-8')))
num_added += 1
num_added_total += 1
else:
num_skipped += 1
# -----------------------------------------------------------------------------
# -----------------------------------------------------------------------------
for i in range(args.start_index, args.max_index, args.results_per_iteration):
print("Results %i - %i" % (i,i+args.results_per_iteration))
query = 'search_query=%s&sortBy=lastUpdatedDate&start=%i&max_results=%i' % (args.search_query,
i, args.results_per_iteration)
with urllib.request.urlopen(base_url+query) as url:
response = url.read()
parse = feedparser.parse(response)
num_added = 0
num_skipped = 0
for e in parse.entries:
j = encode_feedparser_dict(e)
# extract just the raw arxiv id and version for this paper
rawid, version = parse_arxiv_url(j['id'])
j['_rawid'] = rawid
j['_version'] = version
# add to our database if we didn't have it before, or if this is a new version
if not rawid in db or j['_version'] > db[rawid]['_version']:
db[rawid] = j
print('Updated %s added %s' % (j['updated'].encode('utf-8'), j['title'].encode('utf-8')))
num_added += 1
num_added_total += 1
else:
num_skipped += 1
# print some information
print('Added %d papers, already had %d.' % (num_added, num_skipped))
if len(parse.entries) == 0:
print('Received no results from arxiv. Rate limiting? Exiting. Restart later maybe.')
print(response)
break
if num_added == 0 and args.break_on_no_added == 1:
print('No new papers were added. Assuming no new papers exist. Exiting.')
break
print('Sleeping for %i seconds' % (args.wait_time , ))
time.sleep(args.wait_time + random.uniform(0, 3))
# save the database before we quit, if we found anything new
if num_added_total > 0:
print('Saving database with %d papers to %s' % (len(db), config.DB_PATH))
safe_pickle_dump(db, config.DB_PATH)
| [
"adamday1284@gmail.com"
] | adamday1284@gmail.com |
0e8ab36b34b4e373f6bb5a9f370ece3a321dbcd4 | 2540cf43d97bd96a3d2aca8b2c58e828d9a83fc0 | /arcor2_kinali/services/systems.py | be9f06616d6845cf9ad450532bfcdde2cf154852 | [] | no_license | ZdenekM/arcor2_kinali | 3c73161fcbe77bb450bd6b0525b92d1d8eafebf5 | e2117adc19865d8eca1ec719f4bcc06949268c61 | refs/heads/master | 2021-01-07T23:35:48.834412 | 2020-04-27T20:06:34 | 2020-04-27T20:06:34 | 241,851,796 | 0 | 0 | null | 2020-02-20T10:08:48 | 2020-02-20T10:08:47 | null | UTF-8 | Python | false | false | 879 | py | from typing import Optional, Set
from arcor2 import rest
from arcor2.services import Service
from arcor2.exceptions import Arcor2Exception
class SystemsException(Arcor2Exception):
pass
@rest.handle_exceptions(SystemsException, "Failed to get available configurations.")
def systems(url: str) -> Set[str]:
return set(rest.get_data(f"{url}/systems"))
@rest.handle_exceptions(SystemsException, "Failed to initialize the service.")
def create(url: str, srv: Service) -> None:
rest.put(f"{url}/systems/{srv.configuration_id}/create")
@rest.handle_exceptions(SystemsException, "Failed to destroy the service.")
def destroy(url: str) -> None:
rest.put(f"{url}/systems/destroy")
@rest.handle_exceptions(SystemsException, "Failed to get current configuration.")
def active(url: str) -> Optional[str]:
return rest.get_primitive(f"{url}/systems/active", str)
| [
"imaterna@fit.vutbr.cz"
] | imaterna@fit.vutbr.cz |
6d7ec675819b1c661189bba75eb191ed84d5fba0 | 3a8b4f5274dce24fa640a1e5169fa0ace3fe7904 | /pile_up.py | b0b257ed39d8efb396f2254378d1ee8d1a95309c | [] | no_license | mqchau/dna_alignment | 1f70f728993171cd86400f6a0a47ab55e1cb4ad5 | c31683978c40ae66ab5bebca80df32da2c671041 | refs/heads/master | 2021-01-10T06:12:39.195411 | 2016-04-22T05:19:07 | 2016-04-22T05:19:07 | 50,700,172 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,575 | py | import pprint
import ipdb
import commonlib
import numpy as np
db = None
pp = pprint.PrettyPrinter(indent=4)
def get_most_common_new_base(snp_list):
base_count = { "A": 0, "C": 0, "G": 0, "T": 0 }
for one_snp in snp_list:
inserted_base = one_snp.split(',')[1]
base_count[inserted_base] += 1
max_base_count = max(base_count.values())
for base in sorted(base_count.keys()):
if base_count[base] == max_base_count:
return base
def get_ins_str(insert_list):
ins_idx = 1
break_cond = False
ins_str = ""
while not break_cond:
insert_at_this_idx = list(filter(lambda x: int(x.split(",")[2]) == ins_idx, insert_list))
if len(insert_at_this_idx) > 0:
ins_str += str(get_most_common_new_base(insert_at_this_idx))
ins_idx +=1
else:
break_cond = True
return ins_str
def pile_up(ref_idx, mutations_at_ref):
if len(mutations_at_ref) < 6:
return ("del","%d," % ref_idx)
elif len(mutations_at_ref) > 0:
match_count, mismatch_count, del_count, ins_count = 0,0,0,0
for one_mut in mutations_at_ref:
splitted_str = one_mut.split(',')
mutation_type = splitted_str[0]
if mutation_type == "match":
match_count += 1
elif mutation_type == "mismatch":
mismatch_count += 1
elif mutation_type == "insert":
ins_count += 1
elif mutation_type == "delete":
del_count += 1
max_count = np.max((match_count, mismatch_count, del_count, ins_count))
if match_count == max_count:
# we think this is match, no need to report
return ("match", "%d," % ref_idx)
elif mismatch_count == max_count:
# we think this is a mismatch
return ("snp", "%d,%s" % (ref_idx, get_most_common_new_base(list(filter(lambda x: x.split(",")[0] == "mismatch", mutations_at_ref)))))
elif del_count == max_count:
return ("del", "%d," % ref_idx)
elif ins_count == max_count:
return ("ins", "%d,%s" % (ref_idx, get_ins_str(list(filter(lambda x: x.split(",")[0] == "insert", mutations_at_ref)))))
if __name__ == "__main__":
mutation = pile_up(1000, [
"match,A",
"insert,T,2",
"insert,T,2",
"insert,T,2",
"insert,T,2",
"insert,T,2",
"insert,G,1",
"insert,G,1",
"insert,G,1",
"insert,G,1",
"insert,G,1",
])
pp.pprint(mutation)
| [
"quanqchau@gmail.com"
] | quanqchau@gmail.com |
e0f6a72ccc815e4aa9a14099e01bec9bfc57fedc | 70c2e698798a1601db4d69da696c0b3aaca638df | /robots/migrations/0001_initial.py | cfa8d825569e2145fcbee2055f5438749ed696ab | [] | no_license | MayankPratap/rcmnnit | 19e3e8f113438ca822cb780f480ab5393f3cfe3d | 4212e780f07ea2ac913a243687ff2abe99a31aa1 | refs/heads/master | 2021-05-08T16:28:21.586959 | 2018-02-04T06:03:48 | 2018-02-04T06:03:48 | 120,159,255 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,913 | py | # -*- coding: utf-8 -*-
# Generated by Django 1.11.3 on 2018-01-04 14:20
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
initial = True
dependencies = [
]
operations = [
migrations.CreateModel(
name='Projects',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=200)),
('desc', models.TextField()),
('timestamp', models.DateTimeField(auto_now_add=True)),
('youtubelink', models.URLField(max_length=2000)),
('githublink', models.URLField(max_length=2000)),
('member1name', models.CharField(max_length=60)),
('member1reg', models.CharField(max_length=20)),
('member2name', models.CharField(max_length=60)),
('member2reg', models.CharField(max_length=20)),
('member3name', models.CharField(max_length=60)),
('member3reg', models.CharField(max_length=20)),
('member4name', models.CharField(max_length=60)),
('member4reg', models.CharField(max_length=20)),
('member5name', models.CharField(max_length=60)),
('member5reg', models.CharField(max_length=20)),
('member6name', models.CharField(max_length=60)),
('member6reg', models.CharField(max_length=20)),
],
),
migrations.CreateModel(
name='RProjects',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=200)),
('desc', models.TextField()),
('timestamp', models.DateTimeField(auto_now_add=True)),
('youtubelink', models.URLField(max_length=2000)),
('githublink', models.URLField(max_length=2000)),
('member1name', models.CharField(max_length=60)),
('member1reg', models.CharField(max_length=20)),
('member2name', models.CharField(max_length=60)),
('member2reg', models.CharField(max_length=20)),
('member3name', models.CharField(max_length=60)),
('member3reg', models.CharField(max_length=20)),
('member4name', models.CharField(max_length=60)),
('member4reg', models.CharField(max_length=20)),
('member5name', models.CharField(max_length=60)),
('member5reg', models.CharField(max_length=20)),
('member6name', models.CharField(max_length=60)),
('member6reg', models.CharField(max_length=20)),
],
),
]
| [
"mayank7860@googlemail.com"
] | mayank7860@googlemail.com |
0380359130dcecaee2a558877f9ab576acadf4f6 | 7477716fa949efb3b29a2e8502409bfe018df622 | /Current/NI/proto/NIDAQmx.py | f573fb4de5831332c7c226dd42eead73d72c80bc | [] | no_license | Geocene/cookstove_test_tracker | b816548de14466be95c856f1ec6a6d2e92c997fa | b2fab76b72b5b400b6e0396a580891084ef373c9 | refs/heads/master | 2020-06-12T03:25:06.997097 | 2019-06-28T00:40:55 | 2019-06-28T00:40:55 | 194,180,700 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 813,759 | py | # generated by 'xml2py'
# flags '-v -c -kdefst -l nicaiu -o NIDAQmx.py NIDAQmx.xml'
from ctypes import *
def errCheck (result, func, args):
print 'errCheck', result, func, args
if result != 0:
raise RuntimeError(result)
return (args[0], args[1])
#STRING = c_char_p
#STRING = (c_char_p, 'string', 1)
class STRING(str):
def __init__(self,s):
print s
def __str__(self):
return 'STRING(%s)' % str.__str__(self)
@classmethod
def from_param(cls,param):
print 'STRING', param
# return (c_char_p, 'string', 1)
_stdcall_libraries = {}
_stdcall_libraries['nicaiu'] = WinDLL('nicaiu')
_libraries = {}
_libraries['nicaiu'] = CDLL('nicaiu')
int8 = c_byte
uInt8 = c_ubyte
int16 = c_short
uInt16 = c_ushort
int32 = c_long
uInt32 = c_ulong
float32 = c_float
float64 = c_double
int64 = c_longlong
uInt64 = c_ulonglong
bool32 = uInt32
TaskHandle = uInt32
# NIDAQmx.h 1519
DAQmxLoadTask = _stdcall_libraries['nicaiu'].DAQmxLoadTask
DAQmxLoadTask.restype = int32
# DAQmxLoadTask(taskName, taskHandle)
DAQmxLoadTask.argtypes = [STRING, POINTER(TaskHandle)]
# NIDAQmx.h 1520
DAQmxCreateTask = _stdcall_libraries['nicaiu'].DAQmxCreateTask
#DAQmxCreateTask.restype = int32
DAQmxCreateTask.errcheck = errCheck
# DAQmxCreateTask(taskName, taskHandle)
DAQmxCreateTask.argtypes = [STRING, POINTER(TaskHandle)]
# NIDAQmx.h 1522
DAQmxAddGlobalChansToTask = _stdcall_libraries['nicaiu'].DAQmxAddGlobalChansToTask
DAQmxAddGlobalChansToTask.restype = int32
# DAQmxAddGlobalChansToTask(taskHandle, channelNames)
DAQmxAddGlobalChansToTask.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 1524
DAQmxStartTask = _stdcall_libraries['nicaiu'].DAQmxStartTask
DAQmxStartTask.restype = int32
# DAQmxStartTask(taskHandle)
DAQmxStartTask.argtypes = [TaskHandle]
# NIDAQmx.h 1525
DAQmxStopTask = _stdcall_libraries['nicaiu'].DAQmxStopTask
DAQmxStopTask.restype = int32
# DAQmxStopTask(taskHandle)
DAQmxStopTask.argtypes = [TaskHandle]
# NIDAQmx.h 1527
DAQmxClearTask = _stdcall_libraries['nicaiu'].DAQmxClearTask
DAQmxClearTask.restype = int32
# DAQmxClearTask(taskHandle)
DAQmxClearTask.argtypes = [TaskHandle]
# NIDAQmx.h 1529
DAQmxWaitUntilTaskDone = _stdcall_libraries['nicaiu'].DAQmxWaitUntilTaskDone
DAQmxWaitUntilTaskDone.restype = int32
# DAQmxWaitUntilTaskDone(taskHandle, timeToWait)
DAQmxWaitUntilTaskDone.argtypes = [TaskHandle, float64]
# NIDAQmx.h 1530
DAQmxIsTaskDone = _stdcall_libraries['nicaiu'].DAQmxIsTaskDone
DAQmxIsTaskDone.restype = int32
# DAQmxIsTaskDone(taskHandle, isTaskDone)
DAQmxIsTaskDone.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 1532
DAQmxTaskControl = _stdcall_libraries['nicaiu'].DAQmxTaskControl
DAQmxTaskControl.restype = int32
# DAQmxTaskControl(taskHandle, action)
DAQmxTaskControl.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1534
DAQmxGetNthTaskChannel = _stdcall_libraries['nicaiu'].DAQmxGetNthTaskChannel
DAQmxGetNthTaskChannel.restype = int32
# DAQmxGetNthTaskChannel(taskHandle, index, buffer, bufferSize)
DAQmxGetNthTaskChannel.argtypes = [TaskHandle, uInt32, STRING, int32]
# NIDAQmx.h 1536
DAQmxGetTaskAttribute = _libraries['nicaiu'].DAQmxGetTaskAttribute
DAQmxGetTaskAttribute.restype = int32
# DAQmxGetTaskAttribute(taskHandle, attribute, value)
DAQmxGetTaskAttribute.argtypes = [TaskHandle, int32, c_void_p]
DAQmxEveryNSamplesEventCallbackPtr = CFUNCTYPE(int32, c_ulong, c_long, c_ulong, c_void_p)
DAQmxDoneEventCallbackPtr = CFUNCTYPE(int32, c_ulong, c_long, c_void_p)
DAQmxSignalEventCallbackPtr = CFUNCTYPE(int32, c_ulong, c_long, c_void_p)
# NIDAQmx.h 1542
DAQmxRegisterEveryNSamplesEvent = _stdcall_libraries['nicaiu'].DAQmxRegisterEveryNSamplesEvent
DAQmxRegisterEveryNSamplesEvent.restype = int32
# DAQmxRegisterEveryNSamplesEvent(task, everyNsamplesEventType, nSamples, options, callbackFunction, callbackData)
DAQmxRegisterEveryNSamplesEvent.argtypes = [TaskHandle, int32, uInt32, uInt32, DAQmxEveryNSamplesEventCallbackPtr, c_void_p]
# NIDAQmx.h 1543
DAQmxRegisterDoneEvent = _stdcall_libraries['nicaiu'].DAQmxRegisterDoneEvent
DAQmxRegisterDoneEvent.restype = int32
# DAQmxRegisterDoneEvent(task, options, callbackFunction, callbackData)
DAQmxRegisterDoneEvent.argtypes = [TaskHandle, uInt32, DAQmxDoneEventCallbackPtr, c_void_p]
# NIDAQmx.h 1544
DAQmxRegisterSignalEvent = _stdcall_libraries['nicaiu'].DAQmxRegisterSignalEvent
DAQmxRegisterSignalEvent.restype = int32
# DAQmxRegisterSignalEvent(task, signalID, options, callbackFunction, callbackData)
DAQmxRegisterSignalEvent.argtypes = [TaskHandle, int32, uInt32, DAQmxSignalEventCallbackPtr, c_void_p]
# NIDAQmx.h 1551
DAQmxCreateAIVoltageChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIVoltageChan
DAQmxCreateAIVoltageChan.restype = int32
# DAQmxCreateAIVoltageChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, customScaleName)
DAQmxCreateAIVoltageChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1552
DAQmxCreateAICurrentChan = _stdcall_libraries['nicaiu'].DAQmxCreateAICurrentChan
DAQmxCreateAICurrentChan.restype = int32
# DAQmxCreateAICurrentChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, shuntResistorLoc, extShuntResistorVal, customScaleName)
DAQmxCreateAICurrentChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1553
DAQmxCreateAIThrmcplChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIThrmcplChan
DAQmxCreateAIThrmcplChan.restype = int32
# DAQmxCreateAIThrmcplChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, thermocoupleType, cjcSource, cjcVal, cjcChannel)
DAQmxCreateAIThrmcplChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, STRING]
# NIDAQmx.h 1554
DAQmxCreateAIRTDChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIRTDChan
DAQmxCreateAIRTDChan.restype = int32
# DAQmxCreateAIRTDChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, rtdType, resistanceConfig, currentExcitSource, currentExcitVal, r0)
DAQmxCreateAIRTDChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, int32, float64, float64]
# NIDAQmx.h 1555
DAQmxCreateAIThrmstrChanIex = _stdcall_libraries['nicaiu'].DAQmxCreateAIThrmstrChanIex
DAQmxCreateAIThrmstrChanIex.restype = int32
# DAQmxCreateAIThrmstrChanIex(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, currentExcitSource, currentExcitVal, a, b, c)
DAQmxCreateAIThrmstrChanIex.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, float64, float64, float64]
# NIDAQmx.h 1556
DAQmxCreateAIThrmstrChanVex = _stdcall_libraries['nicaiu'].DAQmxCreateAIThrmstrChanVex
DAQmxCreateAIThrmstrChanVex.restype = int32
# DAQmxCreateAIThrmstrChanVex(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, voltageExcitSource, voltageExcitVal, a, b, c, r1)
DAQmxCreateAIThrmstrChanVex.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, float64, float64, float64, float64]
# NIDAQmx.h 1557
DAQmxCreateAIFreqVoltageChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIFreqVoltageChan
DAQmxCreateAIFreqVoltageChan.restype = int32
# DAQmxCreateAIFreqVoltageChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, thresholdLevel, hysteresis, customScaleName)
DAQmxCreateAIFreqVoltageChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, float64, float64, STRING]
# NIDAQmx.h 1558
DAQmxCreateAIResistanceChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIResistanceChan
DAQmxCreateAIResistanceChan.restype = int32
# DAQmxCreateAIResistanceChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateAIResistanceChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, STRING]
# NIDAQmx.h 1559
DAQmxCreateAIStrainGageChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIStrainGageChan
DAQmxCreateAIStrainGageChan.restype = int32
# DAQmxCreateAIStrainGageChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, strainConfig, voltageExcitSource, voltageExcitVal, gageFactor, initialBridgeVoltage, nominalGageResistance, poissonRatio, leadWireResistance, customScaleName)
DAQmxCreateAIStrainGageChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, float64, float64, float64, float64, float64, STRING]
# NIDAQmx.h 1560
DAQmxCreateAIVoltageChanWithExcit = _stdcall_libraries['nicaiu'].DAQmxCreateAIVoltageChanWithExcit
DAQmxCreateAIVoltageChanWithExcit.restype = int32
# DAQmxCreateAIVoltageChanWithExcit(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, bridgeConfig, voltageExcitSource, voltageExcitVal, useExcitForScaling, customScaleName)
DAQmxCreateAIVoltageChanWithExcit.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, int32, int32, float64, bool32, STRING]
# NIDAQmx.h 1561
DAQmxCreateAITempBuiltInSensorChan = _stdcall_libraries['nicaiu'].DAQmxCreateAITempBuiltInSensorChan
DAQmxCreateAITempBuiltInSensorChan.restype = int32
# DAQmxCreateAITempBuiltInSensorChan(taskHandle, physicalChannel, nameToAssignToChannel, units)
DAQmxCreateAITempBuiltInSensorChan.argtypes = [TaskHandle, STRING, STRING, int32]
# NIDAQmx.h 1562
DAQmxCreateAIAccelChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIAccelChan
DAQmxCreateAIAccelChan.restype = int32
# DAQmxCreateAIAccelChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, sensitivity, sensitivityUnits, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateAIAccelChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1564
DAQmxCreateAIMicrophoneChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIMicrophoneChan
DAQmxCreateAIMicrophoneChan.restype = int32
# DAQmxCreateAIMicrophoneChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, units, micSensitivity, maxSndPressLevel, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateAIMicrophoneChan.argtypes = [TaskHandle, STRING, STRING, int32, int32, float64, float64, int32, float64, STRING]
# NIDAQmx.h 1565
DAQmxCreateAIPosLVDTChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIPosLVDTChan
DAQmxCreateAIPosLVDTChan.restype = int32
# DAQmxCreateAIPosLVDTChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, sensitivity, sensitivityUnits, voltageExcitSource, voltageExcitVal, voltageExcitFreq, ACExcitWireMode, customScaleName)
DAQmxCreateAIPosLVDTChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, float64, int32, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1566
DAQmxCreateAIPosRVDTChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIPosRVDTChan
DAQmxCreateAIPosRVDTChan.restype = int32
# DAQmxCreateAIPosRVDTChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, sensitivity, sensitivityUnits, voltageExcitSource, voltageExcitVal, voltageExcitFreq, ACExcitWireMode, customScaleName)
DAQmxCreateAIPosRVDTChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, float64, int32, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1568
DAQmxCreateAIDeviceTempChan = _stdcall_libraries['nicaiu'].DAQmxCreateAIDeviceTempChan
DAQmxCreateAIDeviceTempChan.restype = int32
# DAQmxCreateAIDeviceTempChan(taskHandle, physicalChannel, nameToAssignToChannel, units)
DAQmxCreateAIDeviceTempChan.argtypes = [TaskHandle, STRING, STRING, int32]
# NIDAQmx.h 1570
DAQmxCreateTEDSAIVoltageChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIVoltageChan
DAQmxCreateTEDSAIVoltageChan.restype = int32
# DAQmxCreateTEDSAIVoltageChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, customScaleName)
DAQmxCreateTEDSAIVoltageChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1571
DAQmxCreateTEDSAICurrentChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAICurrentChan
DAQmxCreateTEDSAICurrentChan.restype = int32
# DAQmxCreateTEDSAICurrentChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, shuntResistorLoc, extShuntResistorVal, customScaleName)
DAQmxCreateTEDSAICurrentChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1572
DAQmxCreateTEDSAIThrmcplChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIThrmcplChan
DAQmxCreateTEDSAIThrmcplChan.restype = int32
# DAQmxCreateTEDSAIThrmcplChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, cjcSource, cjcVal, cjcChannel)
DAQmxCreateTEDSAIThrmcplChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1573
DAQmxCreateTEDSAIRTDChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIRTDChan
DAQmxCreateTEDSAIRTDChan.restype = int32
# DAQmxCreateTEDSAIRTDChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, currentExcitSource, currentExcitVal)
DAQmxCreateTEDSAIRTDChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64]
# NIDAQmx.h 1574
DAQmxCreateTEDSAIThrmstrChanIex = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIThrmstrChanIex
DAQmxCreateTEDSAIThrmstrChanIex.restype = int32
# DAQmxCreateTEDSAIThrmstrChanIex(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, currentExcitSource, currentExcitVal)
DAQmxCreateTEDSAIThrmstrChanIex.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64]
# NIDAQmx.h 1575
DAQmxCreateTEDSAIThrmstrChanVex = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIThrmstrChanVex
DAQmxCreateTEDSAIThrmstrChanVex.restype = int32
# DAQmxCreateTEDSAIThrmstrChanVex(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, voltageExcitSource, voltageExcitVal, r1)
DAQmxCreateTEDSAIThrmstrChanVex.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, float64]
# NIDAQmx.h 1576
DAQmxCreateTEDSAIResistanceChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIResistanceChan
DAQmxCreateTEDSAIResistanceChan.restype = int32
# DAQmxCreateTEDSAIResistanceChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, resistanceConfig, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateTEDSAIResistanceChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, STRING]
# NIDAQmx.h 1577
DAQmxCreateTEDSAIStrainGageChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIStrainGageChan
DAQmxCreateTEDSAIStrainGageChan.restype = int32
# DAQmxCreateTEDSAIStrainGageChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, voltageExcitSource, voltageExcitVal, initialBridgeVoltage, leadWireResistance, customScaleName)
DAQmxCreateTEDSAIStrainGageChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, float64, float64, float64, STRING]
# NIDAQmx.h 1578
DAQmxCreateTEDSAIVoltageChanWithExcit = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIVoltageChanWithExcit
DAQmxCreateTEDSAIVoltageChanWithExcit.restype = int32
# DAQmxCreateTEDSAIVoltageChanWithExcit(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, voltageExcitSource, voltageExcitVal, customScaleName)
DAQmxCreateTEDSAIVoltageChanWithExcit.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1579
DAQmxCreateTEDSAIAccelChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIAccelChan
DAQmxCreateTEDSAIAccelChan.restype = int32
# DAQmxCreateTEDSAIAccelChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, minVal, maxVal, units, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateTEDSAIAccelChan.argtypes = [TaskHandle, STRING, STRING, int32, float64, float64, int32, int32, float64, STRING]
# NIDAQmx.h 1581
DAQmxCreateTEDSAIMicrophoneChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIMicrophoneChan
DAQmxCreateTEDSAIMicrophoneChan.restype = int32
# DAQmxCreateTEDSAIMicrophoneChan(taskHandle, physicalChannel, nameToAssignToChannel, terminalConfig, units, maxSndPressLevel, currentExcitSource, currentExcitVal, customScaleName)
DAQmxCreateTEDSAIMicrophoneChan.argtypes = [TaskHandle, STRING, STRING, int32, int32, float64, int32, float64, STRING]
# NIDAQmx.h 1582
DAQmxCreateTEDSAIPosLVDTChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIPosLVDTChan
DAQmxCreateTEDSAIPosLVDTChan.restype = int32
# DAQmxCreateTEDSAIPosLVDTChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, voltageExcitSource, voltageExcitVal, voltageExcitFreq, ACExcitWireMode, customScaleName)
DAQmxCreateTEDSAIPosLVDTChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1583
DAQmxCreateTEDSAIPosRVDTChan = _stdcall_libraries['nicaiu'].DAQmxCreateTEDSAIPosRVDTChan
DAQmxCreateTEDSAIPosRVDTChan.restype = int32
# DAQmxCreateTEDSAIPosRVDTChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, voltageExcitSource, voltageExcitVal, voltageExcitFreq, ACExcitWireMode, customScaleName)
DAQmxCreateTEDSAIPosRVDTChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, float64, float64, int32, STRING]
# NIDAQmx.h 1585
DAQmxCreateAOVoltageChan = _stdcall_libraries['nicaiu'].DAQmxCreateAOVoltageChan
DAQmxCreateAOVoltageChan.restype = int32
# DAQmxCreateAOVoltageChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, customScaleName)
DAQmxCreateAOVoltageChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, STRING]
# NIDAQmx.h 1586
DAQmxCreateAOCurrentChan = _stdcall_libraries['nicaiu'].DAQmxCreateAOCurrentChan
DAQmxCreateAOCurrentChan.restype = int32
# DAQmxCreateAOCurrentChan(taskHandle, physicalChannel, nameToAssignToChannel, minVal, maxVal, units, customScaleName)
DAQmxCreateAOCurrentChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, STRING]
# NIDAQmx.h 1588
DAQmxCreateDIChan = _stdcall_libraries['nicaiu'].DAQmxCreateDIChan
DAQmxCreateDIChan.restype = int32
# DAQmxCreateDIChan(taskHandle, lines, nameToAssignToLines, lineGrouping)
DAQmxCreateDIChan.argtypes = [TaskHandle, STRING, STRING, int32]
# NIDAQmx.h 1590
DAQmxCreateDOChan = _stdcall_libraries['nicaiu'].DAQmxCreateDOChan
DAQmxCreateDOChan.restype = int32
# DAQmxCreateDOChan(taskHandle, lines, nameToAssignToLines, lineGrouping)
DAQmxCreateDOChan.argtypes = [TaskHandle, STRING, STRING, int32]
# NIDAQmx.h 1592
DAQmxCreateCIFreqChan = _stdcall_libraries['nicaiu'].DAQmxCreateCIFreqChan
DAQmxCreateCIFreqChan.restype = int32
# DAQmxCreateCIFreqChan(taskHandle, counter, nameToAssignToChannel, minVal, maxVal, units, edge, measMethod, measTime, divisor, customScaleName)
DAQmxCreateCIFreqChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, uInt32, STRING]
# NIDAQmx.h 1593
DAQmxCreateCIPeriodChan = _stdcall_libraries['nicaiu'].DAQmxCreateCIPeriodChan
DAQmxCreateCIPeriodChan.restype = int32
# DAQmxCreateCIPeriodChan(taskHandle, counter, nameToAssignToChannel, minVal, maxVal, units, edge, measMethod, measTime, divisor, customScaleName)
DAQmxCreateCIPeriodChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, float64, uInt32, STRING]
# NIDAQmx.h 1594
DAQmxCreateCICountEdgesChan = _stdcall_libraries['nicaiu'].DAQmxCreateCICountEdgesChan
DAQmxCreateCICountEdgesChan.restype = int32
# DAQmxCreateCICountEdgesChan(taskHandle, counter, nameToAssignToChannel, edge, initialCount, countDirection)
DAQmxCreateCICountEdgesChan.argtypes = [TaskHandle, STRING, STRING, int32, uInt32, int32]
# NIDAQmx.h 1595
DAQmxCreateCIPulseWidthChan = _stdcall_libraries['nicaiu'].DAQmxCreateCIPulseWidthChan
DAQmxCreateCIPulseWidthChan.restype = int32
# DAQmxCreateCIPulseWidthChan(taskHandle, counter, nameToAssignToChannel, minVal, maxVal, units, startingEdge, customScaleName)
DAQmxCreateCIPulseWidthChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, STRING]
# NIDAQmx.h 1596
DAQmxCreateCISemiPeriodChan = _stdcall_libraries['nicaiu'].DAQmxCreateCISemiPeriodChan
DAQmxCreateCISemiPeriodChan.restype = int32
# DAQmxCreateCISemiPeriodChan(taskHandle, counter, nameToAssignToChannel, minVal, maxVal, units, customScaleName)
DAQmxCreateCISemiPeriodChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, STRING]
# NIDAQmx.h 1597
DAQmxCreateCITwoEdgeSepChan = _stdcall_libraries['nicaiu'].DAQmxCreateCITwoEdgeSepChan
DAQmxCreateCITwoEdgeSepChan.restype = int32
# DAQmxCreateCITwoEdgeSepChan(taskHandle, counter, nameToAssignToChannel, minVal, maxVal, units, firstEdge, secondEdge, customScaleName)
DAQmxCreateCITwoEdgeSepChan.argtypes = [TaskHandle, STRING, STRING, float64, float64, int32, int32, int32, STRING]
# NIDAQmx.h 1598
DAQmxCreateCILinEncoderChan = _stdcall_libraries['nicaiu'].DAQmxCreateCILinEncoderChan
DAQmxCreateCILinEncoderChan.restype = int32
# DAQmxCreateCILinEncoderChan(taskHandle, counter, nameToAssignToChannel, decodingType, ZidxEnable, ZidxVal, ZidxPhase, units, distPerPulse, initialPos, customScaleName)
DAQmxCreateCILinEncoderChan.argtypes = [TaskHandle, STRING, STRING, int32, bool32, float64, int32, int32, float64, float64, STRING]
# NIDAQmx.h 1599
DAQmxCreateCIAngEncoderChan = _stdcall_libraries['nicaiu'].DAQmxCreateCIAngEncoderChan
DAQmxCreateCIAngEncoderChan.restype = int32
# DAQmxCreateCIAngEncoderChan(taskHandle, counter, nameToAssignToChannel, decodingType, ZidxEnable, ZidxVal, ZidxPhase, units, pulsesPerRev, initialAngle, customScaleName)
DAQmxCreateCIAngEncoderChan.argtypes = [TaskHandle, STRING, STRING, int32, bool32, float64, int32, int32, uInt32, float64, STRING]
# NIDAQmx.h 1600
DAQmxCreateCIGPSTimestampChan = _stdcall_libraries['nicaiu'].DAQmxCreateCIGPSTimestampChan
DAQmxCreateCIGPSTimestampChan.restype = int32
# DAQmxCreateCIGPSTimestampChan(taskHandle, counter, nameToAssignToChannel, units, syncMethod, customScaleName)
DAQmxCreateCIGPSTimestampChan.argtypes = [TaskHandle, STRING, STRING, int32, int32, STRING]
# NIDAQmx.h 1602
DAQmxCreateCOPulseChanFreq = _stdcall_libraries['nicaiu'].DAQmxCreateCOPulseChanFreq
DAQmxCreateCOPulseChanFreq.restype = int32
# DAQmxCreateCOPulseChanFreq(taskHandle, counter, nameToAssignToChannel, units, idleState, initialDelay, freq, dutyCycle)
DAQmxCreateCOPulseChanFreq.argtypes = [TaskHandle, STRING, STRING, int32, int32, float64, float64, float64]
# NIDAQmx.h 1603
DAQmxCreateCOPulseChanTime = _stdcall_libraries['nicaiu'].DAQmxCreateCOPulseChanTime
DAQmxCreateCOPulseChanTime.restype = int32
# DAQmxCreateCOPulseChanTime(taskHandle, counter, nameToAssignToChannel, units, idleState, initialDelay, lowTime, highTime)
DAQmxCreateCOPulseChanTime.argtypes = [TaskHandle, STRING, STRING, int32, int32, float64, float64, float64]
# NIDAQmx.h 1604
DAQmxCreateCOPulseChanTicks = _stdcall_libraries['nicaiu'].DAQmxCreateCOPulseChanTicks
DAQmxCreateCOPulseChanTicks.restype = int32
# DAQmxCreateCOPulseChanTicks(taskHandle, counter, nameToAssignToChannel, sourceTerminal, idleState, initialDelay, lowTicks, highTicks)
DAQmxCreateCOPulseChanTicks.argtypes = [TaskHandle, STRING, STRING, STRING, int32, int32, int32, int32]
# NIDAQmx.h 1606
DAQmxGetAIChanCalCalDate = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalCalDate
DAQmxGetAIChanCalCalDate.restype = int32
# DAQmxGetAIChanCalCalDate(taskHandle, channelName, year, month, day, hour, minute)
DAQmxGetAIChanCalCalDate.argtypes = [TaskHandle, STRING, POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32)]
# NIDAQmx.h 1607
DAQmxSetAIChanCalCalDate = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalCalDate
DAQmxSetAIChanCalCalDate.restype = int32
# DAQmxSetAIChanCalCalDate(taskHandle, channelName, year, month, day, hour, minute)
DAQmxSetAIChanCalCalDate.argtypes = [TaskHandle, STRING, uInt32, uInt32, uInt32, uInt32, uInt32]
# NIDAQmx.h 1608
DAQmxGetAIChanCalExpDate = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalExpDate
DAQmxGetAIChanCalExpDate.restype = int32
# DAQmxGetAIChanCalExpDate(taskHandle, channelName, year, month, day, hour, minute)
DAQmxGetAIChanCalExpDate.argtypes = [TaskHandle, STRING, POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32)]
# NIDAQmx.h 1609
DAQmxSetAIChanCalExpDate = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalExpDate
DAQmxSetAIChanCalExpDate.restype = int32
# DAQmxSetAIChanCalExpDate(taskHandle, channelName, year, month, day, hour, minute)
DAQmxSetAIChanCalExpDate.argtypes = [TaskHandle, STRING, uInt32, uInt32, uInt32, uInt32, uInt32]
# NIDAQmx.h 1611
DAQmxGetChanAttribute = _libraries['nicaiu'].DAQmxGetChanAttribute
DAQmxGetChanAttribute.restype = int32
# DAQmxGetChanAttribute(taskHandle, channel, attribute, value)
DAQmxGetChanAttribute.argtypes = [TaskHandle, STRING, int32, c_void_p]
# NIDAQmx.h 1612
DAQmxSetChanAttribute = _libraries['nicaiu'].DAQmxSetChanAttribute
DAQmxSetChanAttribute.restype = int32
# DAQmxSetChanAttribute(taskHandle, channel, attribute)
DAQmxSetChanAttribute.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1613
DAQmxResetChanAttribute = _stdcall_libraries['nicaiu'].DAQmxResetChanAttribute
DAQmxResetChanAttribute.restype = int32
# DAQmxResetChanAttribute(taskHandle, channel, attribute)
DAQmxResetChanAttribute.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1622
DAQmxCfgSampClkTiming = _stdcall_libraries['nicaiu'].DAQmxCfgSampClkTiming
DAQmxCfgSampClkTiming.restype = int32
# DAQmxCfgSampClkTiming(taskHandle, source, rate, activeEdge, sampleMode, sampsPerChan)
DAQmxCfgSampClkTiming.argtypes = [TaskHandle, STRING, float64, int32, int32, uInt64]
# NIDAQmx.h 1624
DAQmxCfgHandshakingTiming = _stdcall_libraries['nicaiu'].DAQmxCfgHandshakingTiming
DAQmxCfgHandshakingTiming.restype = int32
# DAQmxCfgHandshakingTiming(taskHandle, sampleMode, sampsPerChan)
DAQmxCfgHandshakingTiming.argtypes = [TaskHandle, int32, uInt64]
# NIDAQmx.h 1626
DAQmxCfgBurstHandshakingTimingImportClock = _stdcall_libraries['nicaiu'].DAQmxCfgBurstHandshakingTimingImportClock
DAQmxCfgBurstHandshakingTimingImportClock.restype = int32
# DAQmxCfgBurstHandshakingTimingImportClock(taskHandle, sampleMode, sampsPerChan, sampleClkRate, sampleClkSrc, sampleClkActiveEdge, pauseWhen, readyEventActiveLevel)
DAQmxCfgBurstHandshakingTimingImportClock.argtypes = [TaskHandle, int32, uInt64, float64, STRING, int32, int32, int32]
# NIDAQmx.h 1628
DAQmxCfgBurstHandshakingTimingExportClock = _stdcall_libraries['nicaiu'].DAQmxCfgBurstHandshakingTimingExportClock
DAQmxCfgBurstHandshakingTimingExportClock.restype = int32
# DAQmxCfgBurstHandshakingTimingExportClock(taskHandle, sampleMode, sampsPerChan, sampleClkRate, sampleClkOutpTerm, sampleClkPulsePolarity, pauseWhen, readyEventActiveLevel)
DAQmxCfgBurstHandshakingTimingExportClock.argtypes = [TaskHandle, int32, uInt64, float64, STRING, int32, int32, int32]
# NIDAQmx.h 1629
DAQmxCfgChangeDetectionTiming = _stdcall_libraries['nicaiu'].DAQmxCfgChangeDetectionTiming
DAQmxCfgChangeDetectionTiming.restype = int32
# DAQmxCfgChangeDetectionTiming(taskHandle, risingEdgeChan, fallingEdgeChan, sampleMode, sampsPerChan)
DAQmxCfgChangeDetectionTiming.argtypes = [TaskHandle, STRING, STRING, int32, uInt64]
# NIDAQmx.h 1631
DAQmxCfgImplicitTiming = _stdcall_libraries['nicaiu'].DAQmxCfgImplicitTiming
DAQmxCfgImplicitTiming.restype = int32
# DAQmxCfgImplicitTiming(taskHandle, sampleMode, sampsPerChan)
DAQmxCfgImplicitTiming.argtypes = [TaskHandle, int32, uInt64]
# NIDAQmx.h 1633
DAQmxGetTimingAttribute = _libraries['nicaiu'].DAQmxGetTimingAttribute
DAQmxGetTimingAttribute.restype = int32
# DAQmxGetTimingAttribute(taskHandle, attribute, value)
DAQmxGetTimingAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1634
DAQmxSetTimingAttribute = _libraries['nicaiu'].DAQmxSetTimingAttribute
DAQmxSetTimingAttribute.restype = int32
# DAQmxSetTimingAttribute(taskHandle, attribute)
DAQmxSetTimingAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1635
DAQmxResetTimingAttribute = _stdcall_libraries['nicaiu'].DAQmxResetTimingAttribute
DAQmxResetTimingAttribute.restype = int32
# DAQmxResetTimingAttribute(taskHandle, attribute)
DAQmxResetTimingAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1643
DAQmxDisableStartTrig = _stdcall_libraries['nicaiu'].DAQmxDisableStartTrig
DAQmxDisableStartTrig.restype = int32
# DAQmxDisableStartTrig(taskHandle)
DAQmxDisableStartTrig.argtypes = [TaskHandle]
# NIDAQmx.h 1644
DAQmxCfgDigEdgeStartTrig = _stdcall_libraries['nicaiu'].DAQmxCfgDigEdgeStartTrig
DAQmxCfgDigEdgeStartTrig.restype = int32
# DAQmxCfgDigEdgeStartTrig(taskHandle, triggerSource, triggerEdge)
DAQmxCfgDigEdgeStartTrig.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1645
DAQmxCfgAnlgEdgeStartTrig = _stdcall_libraries['nicaiu'].DAQmxCfgAnlgEdgeStartTrig
DAQmxCfgAnlgEdgeStartTrig.restype = int32
# DAQmxCfgAnlgEdgeStartTrig(taskHandle, triggerSource, triggerSlope, triggerLevel)
DAQmxCfgAnlgEdgeStartTrig.argtypes = [TaskHandle, STRING, int32, float64]
# NIDAQmx.h 1646
DAQmxCfgAnlgWindowStartTrig = _stdcall_libraries['nicaiu'].DAQmxCfgAnlgWindowStartTrig
DAQmxCfgAnlgWindowStartTrig.restype = int32
# DAQmxCfgAnlgWindowStartTrig(taskHandle, triggerSource, triggerWhen, windowTop, windowBottom)
DAQmxCfgAnlgWindowStartTrig.argtypes = [TaskHandle, STRING, int32, float64, float64]
# NIDAQmx.h 1647
DAQmxCfgDigPatternStartTrig = _stdcall_libraries['nicaiu'].DAQmxCfgDigPatternStartTrig
DAQmxCfgDigPatternStartTrig.restype = int32
# DAQmxCfgDigPatternStartTrig(taskHandle, triggerSource, triggerPattern, triggerWhen)
DAQmxCfgDigPatternStartTrig.argtypes = [TaskHandle, STRING, STRING, int32]
# NIDAQmx.h 1649
DAQmxDisableRefTrig = _stdcall_libraries['nicaiu'].DAQmxDisableRefTrig
DAQmxDisableRefTrig.restype = int32
# DAQmxDisableRefTrig(taskHandle)
DAQmxDisableRefTrig.argtypes = [TaskHandle]
# NIDAQmx.h 1650
DAQmxCfgDigEdgeRefTrig = _stdcall_libraries['nicaiu'].DAQmxCfgDigEdgeRefTrig
DAQmxCfgDigEdgeRefTrig.restype = int32
# DAQmxCfgDigEdgeRefTrig(taskHandle, triggerSource, triggerEdge, pretriggerSamples)
DAQmxCfgDigEdgeRefTrig.argtypes = [TaskHandle, STRING, int32, uInt32]
# NIDAQmx.h 1651
DAQmxCfgAnlgEdgeRefTrig = _stdcall_libraries['nicaiu'].DAQmxCfgAnlgEdgeRefTrig
DAQmxCfgAnlgEdgeRefTrig.restype = int32
# DAQmxCfgAnlgEdgeRefTrig(taskHandle, triggerSource, triggerSlope, triggerLevel, pretriggerSamples)
DAQmxCfgAnlgEdgeRefTrig.argtypes = [TaskHandle, STRING, int32, float64, uInt32]
# NIDAQmx.h 1652
DAQmxCfgAnlgWindowRefTrig = _stdcall_libraries['nicaiu'].DAQmxCfgAnlgWindowRefTrig
DAQmxCfgAnlgWindowRefTrig.restype = int32
# DAQmxCfgAnlgWindowRefTrig(taskHandle, triggerSource, triggerWhen, windowTop, windowBottom, pretriggerSamples)
DAQmxCfgAnlgWindowRefTrig.argtypes = [TaskHandle, STRING, int32, float64, float64, uInt32]
# NIDAQmx.h 1653
DAQmxCfgDigPatternRefTrig = _stdcall_libraries['nicaiu'].DAQmxCfgDigPatternRefTrig
DAQmxCfgDigPatternRefTrig.restype = int32
# DAQmxCfgDigPatternRefTrig(taskHandle, triggerSource, triggerPattern, triggerWhen, pretriggerSamples)
DAQmxCfgDigPatternRefTrig.argtypes = [TaskHandle, STRING, STRING, int32, uInt32]
# NIDAQmx.h 1655
DAQmxDisableAdvTrig = _stdcall_libraries['nicaiu'].DAQmxDisableAdvTrig
DAQmxDisableAdvTrig.restype = int32
# DAQmxDisableAdvTrig(taskHandle)
DAQmxDisableAdvTrig.argtypes = [TaskHandle]
# NIDAQmx.h 1656
DAQmxCfgDigEdgeAdvTrig = _stdcall_libraries['nicaiu'].DAQmxCfgDigEdgeAdvTrig
DAQmxCfgDigEdgeAdvTrig.restype = int32
# DAQmxCfgDigEdgeAdvTrig(taskHandle, triggerSource, triggerEdge)
DAQmxCfgDigEdgeAdvTrig.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1658
DAQmxGetTrigAttribute = _libraries['nicaiu'].DAQmxGetTrigAttribute
DAQmxGetTrigAttribute.restype = int32
# DAQmxGetTrigAttribute(taskHandle, attribute, value)
DAQmxGetTrigAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1659
DAQmxSetTrigAttribute = _libraries['nicaiu'].DAQmxSetTrigAttribute
DAQmxSetTrigAttribute.restype = int32
# DAQmxSetTrigAttribute(taskHandle, attribute)
DAQmxSetTrigAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1660
DAQmxResetTrigAttribute = _stdcall_libraries['nicaiu'].DAQmxResetTrigAttribute
DAQmxResetTrigAttribute.restype = int32
# DAQmxResetTrigAttribute(taskHandle, attribute)
DAQmxResetTrigAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1662
DAQmxSendSoftwareTrigger = _stdcall_libraries['nicaiu'].DAQmxSendSoftwareTrigger
DAQmxSendSoftwareTrigger.restype = int32
# DAQmxSendSoftwareTrigger(taskHandle, triggerID)
DAQmxSendSoftwareTrigger.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1670
DAQmxReadAnalogF64 = _stdcall_libraries['nicaiu'].DAQmxReadAnalogF64
DAQmxReadAnalogF64.restype = int32
# DAQmxReadAnalogF64(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadAnalogF64.argtypes = [TaskHandle, int32, float64, bool32, POINTER(float64), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1671
DAQmxReadAnalogScalarF64 = _stdcall_libraries['nicaiu'].DAQmxReadAnalogScalarF64
DAQmxReadAnalogScalarF64.restype = int32
# DAQmxReadAnalogScalarF64(taskHandle, timeout, value, reserved)
DAQmxReadAnalogScalarF64.argtypes = [TaskHandle, float64, POINTER(float64), POINTER(bool32)]
# NIDAQmx.h 1673
DAQmxReadBinaryI16 = _stdcall_libraries['nicaiu'].DAQmxReadBinaryI16
DAQmxReadBinaryI16.restype = int32
# DAQmxReadBinaryI16(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadBinaryI16.argtypes = [TaskHandle, int32, float64, bool32, POINTER(int16), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1675
DAQmxReadBinaryU16 = _stdcall_libraries['nicaiu'].DAQmxReadBinaryU16
DAQmxReadBinaryU16.restype = int32
# DAQmxReadBinaryU16(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadBinaryU16.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt16), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1677
DAQmxReadBinaryI32 = _stdcall_libraries['nicaiu'].DAQmxReadBinaryI32
DAQmxReadBinaryI32.restype = int32
# DAQmxReadBinaryI32(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadBinaryI32.argtypes = [TaskHandle, int32, float64, bool32, POINTER(int32), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1679
DAQmxReadBinaryU32 = _stdcall_libraries['nicaiu'].DAQmxReadBinaryU32
DAQmxReadBinaryU32.restype = int32
# DAQmxReadBinaryU32(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadBinaryU32.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt32), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1681
DAQmxReadDigitalU8 = _stdcall_libraries['nicaiu'].DAQmxReadDigitalU8
DAQmxReadDigitalU8.restype = int32
# DAQmxReadDigitalU8(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadDigitalU8.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt8), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1682
DAQmxReadDigitalU16 = _stdcall_libraries['nicaiu'].DAQmxReadDigitalU16
DAQmxReadDigitalU16.restype = int32
# DAQmxReadDigitalU16(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadDigitalU16.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt16), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1683
DAQmxReadDigitalU32 = _stdcall_libraries['nicaiu'].DAQmxReadDigitalU32
DAQmxReadDigitalU32.restype = int32
# DAQmxReadDigitalU32(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadDigitalU32.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt32), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1684
DAQmxReadDigitalScalarU32 = _stdcall_libraries['nicaiu'].DAQmxReadDigitalScalarU32
DAQmxReadDigitalScalarU32.restype = int32
# DAQmxReadDigitalScalarU32(taskHandle, timeout, value, reserved)
DAQmxReadDigitalScalarU32.argtypes = [TaskHandle, float64, POINTER(uInt32), POINTER(bool32)]
# NIDAQmx.h 1685
DAQmxReadDigitalLines = _stdcall_libraries['nicaiu'].DAQmxReadDigitalLines
DAQmxReadDigitalLines.restype = int32
# DAQmxReadDigitalLines(taskHandle, numSampsPerChan, timeout, fillMode, readArray, arraySizeInBytes, sampsPerChanRead, numBytesPerSamp, reserved)
DAQmxReadDigitalLines.argtypes = [TaskHandle, int32, float64, bool32, POINTER(uInt8), uInt32, POINTER(int32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1687
DAQmxReadCounterF64 = _stdcall_libraries['nicaiu'].DAQmxReadCounterF64
DAQmxReadCounterF64.restype = int32
# DAQmxReadCounterF64(taskHandle, numSampsPerChan, timeout, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadCounterF64.argtypes = [TaskHandle, int32, float64, POINTER(float64), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1688
DAQmxReadCounterU32 = _stdcall_libraries['nicaiu'].DAQmxReadCounterU32
DAQmxReadCounterU32.restype = int32
# DAQmxReadCounterU32(taskHandle, numSampsPerChan, timeout, readArray, arraySizeInSamps, sampsPerChanRead, reserved)
DAQmxReadCounterU32.argtypes = [TaskHandle, int32, float64, POINTER(uInt32), uInt32, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1689
DAQmxReadCounterScalarF64 = _stdcall_libraries['nicaiu'].DAQmxReadCounterScalarF64
DAQmxReadCounterScalarF64.restype = int32
# DAQmxReadCounterScalarF64(taskHandle, timeout, value, reserved)
DAQmxReadCounterScalarF64.argtypes = [TaskHandle, float64, POINTER(float64), POINTER(bool32)]
# NIDAQmx.h 1690
DAQmxReadCounterScalarU32 = _stdcall_libraries['nicaiu'].DAQmxReadCounterScalarU32
DAQmxReadCounterScalarU32.restype = int32
# DAQmxReadCounterScalarU32(taskHandle, timeout, value, reserved)
DAQmxReadCounterScalarU32.argtypes = [TaskHandle, float64, POINTER(uInt32), POINTER(bool32)]
# NIDAQmx.h 1692
DAQmxReadRaw = _stdcall_libraries['nicaiu'].DAQmxReadRaw
DAQmxReadRaw.restype = int32
# DAQmxReadRaw(taskHandle, numSampsPerChan, timeout, readArray, arraySizeInBytes, sampsRead, numBytesPerSamp, reserved)
DAQmxReadRaw.argtypes = [TaskHandle, int32, float64, c_void_p, uInt32, POINTER(int32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1694
DAQmxGetNthTaskReadChannel = _stdcall_libraries['nicaiu'].DAQmxGetNthTaskReadChannel
DAQmxGetNthTaskReadChannel.restype = int32
# DAQmxGetNthTaskReadChannel(taskHandle, index, buffer, bufferSize)
DAQmxGetNthTaskReadChannel.argtypes = [TaskHandle, uInt32, STRING, int32]
# NIDAQmx.h 1696
DAQmxGetReadAttribute = _libraries['nicaiu'].DAQmxGetReadAttribute
DAQmxGetReadAttribute.restype = int32
# DAQmxGetReadAttribute(taskHandle, attribute, value)
DAQmxGetReadAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1697
DAQmxSetReadAttribute = _libraries['nicaiu'].DAQmxSetReadAttribute
DAQmxSetReadAttribute.restype = int32
# DAQmxSetReadAttribute(taskHandle, attribute)
DAQmxSetReadAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1698
DAQmxResetReadAttribute = _stdcall_libraries['nicaiu'].DAQmxResetReadAttribute
DAQmxResetReadAttribute.restype = int32
# DAQmxResetReadAttribute(taskHandle, attribute)
DAQmxResetReadAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1706
DAQmxWriteAnalogF64 = _stdcall_libraries['nicaiu'].DAQmxWriteAnalogF64
DAQmxWriteAnalogF64.restype = int32
# DAQmxWriteAnalogF64(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteAnalogF64.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(float64), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1707
DAQmxWriteAnalogScalarF64 = _stdcall_libraries['nicaiu'].DAQmxWriteAnalogScalarF64
DAQmxWriteAnalogScalarF64.restype = int32
# DAQmxWriteAnalogScalarF64(taskHandle, autoStart, timeout, value, reserved)
DAQmxWriteAnalogScalarF64.argtypes = [TaskHandle, bool32, float64, float64, POINTER(bool32)]
# NIDAQmx.h 1709
DAQmxWriteBinaryI16 = _stdcall_libraries['nicaiu'].DAQmxWriteBinaryI16
DAQmxWriteBinaryI16.restype = int32
# DAQmxWriteBinaryI16(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteBinaryI16.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(int16), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1710
DAQmxWriteBinaryU16 = _stdcall_libraries['nicaiu'].DAQmxWriteBinaryU16
DAQmxWriteBinaryU16.restype = int32
# DAQmxWriteBinaryU16(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteBinaryU16.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt16), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1711
DAQmxWriteBinaryI32 = _stdcall_libraries['nicaiu'].DAQmxWriteBinaryI32
DAQmxWriteBinaryI32.restype = int32
# DAQmxWriteBinaryI32(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteBinaryI32.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(int32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1712
DAQmxWriteBinaryU32 = _stdcall_libraries['nicaiu'].DAQmxWriteBinaryU32
DAQmxWriteBinaryU32.restype = int32
# DAQmxWriteBinaryU32(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteBinaryU32.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1714
DAQmxWriteDigitalU8 = _stdcall_libraries['nicaiu'].DAQmxWriteDigitalU8
DAQmxWriteDigitalU8.restype = int32
# DAQmxWriteDigitalU8(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteDigitalU8.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt8), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1715
DAQmxWriteDigitalU16 = _stdcall_libraries['nicaiu'].DAQmxWriteDigitalU16
DAQmxWriteDigitalU16.restype = int32
# DAQmxWriteDigitalU16(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteDigitalU16.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt16), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1716
DAQmxWriteDigitalU32 = _stdcall_libraries['nicaiu'].DAQmxWriteDigitalU32
DAQmxWriteDigitalU32.restype = int32
# DAQmxWriteDigitalU32(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteDigitalU32.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1717
DAQmxWriteDigitalScalarU32 = _stdcall_libraries['nicaiu'].DAQmxWriteDigitalScalarU32
DAQmxWriteDigitalScalarU32.restype = int32
# DAQmxWriteDigitalScalarU32(taskHandle, autoStart, timeout, value, reserved)
DAQmxWriteDigitalScalarU32.argtypes = [TaskHandle, bool32, float64, uInt32, POINTER(bool32)]
# NIDAQmx.h 1718
DAQmxWriteDigitalLines = _stdcall_libraries['nicaiu'].DAQmxWriteDigitalLines
DAQmxWriteDigitalLines.restype = int32
# DAQmxWriteDigitalLines(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteDigitalLines.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt8), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1720
DAQmxWriteCtrFreq = _stdcall_libraries['nicaiu'].DAQmxWriteCtrFreq
DAQmxWriteCtrFreq.restype = int32
# DAQmxWriteCtrFreq(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, frequency, dutyCycle, numSampsPerChanWritten, reserved)
DAQmxWriteCtrFreq.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(float64), POINTER(float64), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1721
DAQmxWriteCtrFreqScalar = _stdcall_libraries['nicaiu'].DAQmxWriteCtrFreqScalar
DAQmxWriteCtrFreqScalar.restype = int32
# DAQmxWriteCtrFreqScalar(taskHandle, autoStart, timeout, frequency, dutyCycle, reserved)
DAQmxWriteCtrFreqScalar.argtypes = [TaskHandle, bool32, float64, float64, float64, POINTER(bool32)]
# NIDAQmx.h 1722
DAQmxWriteCtrTime = _stdcall_libraries['nicaiu'].DAQmxWriteCtrTime
DAQmxWriteCtrTime.restype = int32
# DAQmxWriteCtrTime(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, highTime, lowTime, numSampsPerChanWritten, reserved)
DAQmxWriteCtrTime.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(float64), POINTER(float64), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1723
DAQmxWriteCtrTimeScalar = _stdcall_libraries['nicaiu'].DAQmxWriteCtrTimeScalar
DAQmxWriteCtrTimeScalar.restype = int32
# DAQmxWriteCtrTimeScalar(taskHandle, autoStart, timeout, highTime, lowTime, reserved)
DAQmxWriteCtrTimeScalar.argtypes = [TaskHandle, bool32, float64, float64, float64, POINTER(bool32)]
# NIDAQmx.h 1724
DAQmxWriteCtrTicks = _stdcall_libraries['nicaiu'].DAQmxWriteCtrTicks
DAQmxWriteCtrTicks.restype = int32
# DAQmxWriteCtrTicks(taskHandle, numSampsPerChan, autoStart, timeout, dataLayout, highTicks, lowTicks, numSampsPerChanWritten, reserved)
DAQmxWriteCtrTicks.argtypes = [TaskHandle, int32, bool32, float64, bool32, POINTER(uInt32), POINTER(uInt32), POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1725
DAQmxWriteCtrTicksScalar = _stdcall_libraries['nicaiu'].DAQmxWriteCtrTicksScalar
DAQmxWriteCtrTicksScalar.restype = int32
# DAQmxWriteCtrTicksScalar(taskHandle, autoStart, timeout, highTicks, lowTicks, reserved)
DAQmxWriteCtrTicksScalar.argtypes = [TaskHandle, bool32, float64, uInt32, uInt32, POINTER(bool32)]
# NIDAQmx.h 1727
DAQmxWriteRaw = _stdcall_libraries['nicaiu'].DAQmxWriteRaw
DAQmxWriteRaw.restype = int32
# DAQmxWriteRaw(taskHandle, numSamps, autoStart, timeout, writeArray, sampsPerChanWritten, reserved)
DAQmxWriteRaw.argtypes = [TaskHandle, int32, bool32, float64, c_void_p, POINTER(int32), POINTER(bool32)]
# NIDAQmx.h 1729
DAQmxGetWriteAttribute = _libraries['nicaiu'].DAQmxGetWriteAttribute
DAQmxGetWriteAttribute.restype = int32
# DAQmxGetWriteAttribute(taskHandle, attribute, value)
DAQmxGetWriteAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1730
DAQmxSetWriteAttribute = _libraries['nicaiu'].DAQmxSetWriteAttribute
DAQmxSetWriteAttribute.restype = int32
# DAQmxSetWriteAttribute(taskHandle, attribute)
DAQmxSetWriteAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1731
DAQmxResetWriteAttribute = _stdcall_libraries['nicaiu'].DAQmxResetWriteAttribute
DAQmxResetWriteAttribute.restype = int32
# DAQmxResetWriteAttribute(taskHandle, attribute)
DAQmxResetWriteAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1742
DAQmxExportSignal = _stdcall_libraries['nicaiu'].DAQmxExportSignal
DAQmxExportSignal.restype = int32
# DAQmxExportSignal(taskHandle, signalID, outputTerminal)
DAQmxExportSignal.argtypes = [TaskHandle, int32, STRING]
# NIDAQmx.h 1744
DAQmxGetExportedSignalAttribute = _libraries['nicaiu'].DAQmxGetExportedSignalAttribute
DAQmxGetExportedSignalAttribute.restype = int32
# DAQmxGetExportedSignalAttribute(taskHandle, attribute, value)
DAQmxGetExportedSignalAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1745
DAQmxSetExportedSignalAttribute = _libraries['nicaiu'].DAQmxSetExportedSignalAttribute
DAQmxSetExportedSignalAttribute.restype = int32
# DAQmxSetExportedSignalAttribute(taskHandle, attribute)
DAQmxSetExportedSignalAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1746
DAQmxResetExportedSignalAttribute = _stdcall_libraries['nicaiu'].DAQmxResetExportedSignalAttribute
DAQmxResetExportedSignalAttribute.restype = int32
# DAQmxResetExportedSignalAttribute(taskHandle, attribute)
DAQmxResetExportedSignalAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1754
DAQmxCreateLinScale = _stdcall_libraries['nicaiu'].DAQmxCreateLinScale
DAQmxCreateLinScale.restype = int32
# DAQmxCreateLinScale(name, slope, yIntercept, preScaledUnits, scaledUnits)
DAQmxCreateLinScale.argtypes = [STRING, float64, float64, int32, STRING]
# NIDAQmx.h 1755
DAQmxCreateMapScale = _stdcall_libraries['nicaiu'].DAQmxCreateMapScale
DAQmxCreateMapScale.restype = int32
# DAQmxCreateMapScale(name, prescaledMin, prescaledMax, scaledMin, scaledMax, preScaledUnits, scaledUnits)
DAQmxCreateMapScale.argtypes = [STRING, float64, float64, float64, float64, int32, STRING]
# NIDAQmx.h 1756
DAQmxCreatePolynomialScale = _stdcall_libraries['nicaiu'].DAQmxCreatePolynomialScale
DAQmxCreatePolynomialScale.restype = int32
# DAQmxCreatePolynomialScale(name, forwardCoeffs, numForwardCoeffsIn, reverseCoeffs, numReverseCoeffsIn, preScaledUnits, scaledUnits)
DAQmxCreatePolynomialScale.argtypes = [STRING, POINTER(float64), uInt32, POINTER(float64), uInt32, int32, STRING]
# NIDAQmx.h 1757
DAQmxCreateTableScale = _stdcall_libraries['nicaiu'].DAQmxCreateTableScale
DAQmxCreateTableScale.restype = int32
# DAQmxCreateTableScale(name, prescaledVals, numPrescaledValsIn, scaledVals, numScaledValsIn, preScaledUnits, scaledUnits)
DAQmxCreateTableScale.argtypes = [STRING, POINTER(float64), uInt32, POINTER(float64), uInt32, int32, STRING]
# NIDAQmx.h 1758
DAQmxCalculateReversePolyCoeff = _stdcall_libraries['nicaiu'].DAQmxCalculateReversePolyCoeff
DAQmxCalculateReversePolyCoeff.restype = int32
# DAQmxCalculateReversePolyCoeff(forwardCoeffs, numForwardCoeffsIn, minValX, maxValX, numPointsToCompute, reversePolyOrder, reverseCoeffs)
DAQmxCalculateReversePolyCoeff.argtypes = [POINTER(float64), uInt32, float64, float64, int32, int32, POINTER(float64)]
# NIDAQmx.h 1760
DAQmxGetScaleAttribute = _libraries['nicaiu'].DAQmxGetScaleAttribute
DAQmxGetScaleAttribute.restype = int32
# DAQmxGetScaleAttribute(scaleName, attribute, value)
DAQmxGetScaleAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 1761
DAQmxSetScaleAttribute = _libraries['nicaiu'].DAQmxSetScaleAttribute
DAQmxSetScaleAttribute.restype = int32
# DAQmxSetScaleAttribute(scaleName, attribute)
DAQmxSetScaleAttribute.argtypes = [STRING, int32]
# NIDAQmx.h 1769
DAQmxCfgInputBuffer = _stdcall_libraries['nicaiu'].DAQmxCfgInputBuffer
DAQmxCfgInputBuffer.restype = int32
# DAQmxCfgInputBuffer(taskHandle, numSampsPerChan)
DAQmxCfgInputBuffer.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 1770
DAQmxCfgOutputBuffer = _stdcall_libraries['nicaiu'].DAQmxCfgOutputBuffer
DAQmxCfgOutputBuffer.restype = int32
# DAQmxCfgOutputBuffer(taskHandle, numSampsPerChan)
DAQmxCfgOutputBuffer.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 1772
DAQmxGetBufferAttribute = _libraries['nicaiu'].DAQmxGetBufferAttribute
DAQmxGetBufferAttribute.restype = int32
# DAQmxGetBufferAttribute(taskHandle, attribute, value)
DAQmxGetBufferAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1773
DAQmxSetBufferAttribute = _libraries['nicaiu'].DAQmxSetBufferAttribute
DAQmxSetBufferAttribute.restype = int32
# DAQmxSetBufferAttribute(taskHandle, attribute)
DAQmxSetBufferAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1774
DAQmxResetBufferAttribute = _stdcall_libraries['nicaiu'].DAQmxResetBufferAttribute
DAQmxResetBufferAttribute.restype = int32
# DAQmxResetBufferAttribute(taskHandle, attribute)
DAQmxResetBufferAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1781
DAQmxSwitchCreateScanList = _stdcall_libraries['nicaiu'].DAQmxSwitchCreateScanList
DAQmxSwitchCreateScanList.restype = int32
# DAQmxSwitchCreateScanList(scanList, taskHandle)
DAQmxSwitchCreateScanList.argtypes = [STRING, POINTER(TaskHandle)]
# NIDAQmx.h 1783
DAQmxSwitchConnect = _stdcall_libraries['nicaiu'].DAQmxSwitchConnect
DAQmxSwitchConnect.restype = int32
# DAQmxSwitchConnect(switchChannel1, switchChannel2, waitForSettling)
DAQmxSwitchConnect.argtypes = [STRING, STRING, bool32]
# NIDAQmx.h 1784
DAQmxSwitchConnectMulti = _stdcall_libraries['nicaiu'].DAQmxSwitchConnectMulti
DAQmxSwitchConnectMulti.restype = int32
# DAQmxSwitchConnectMulti(connectionList, waitForSettling)
DAQmxSwitchConnectMulti.argtypes = [STRING, bool32]
# NIDAQmx.h 1785
DAQmxSwitchDisconnect = _stdcall_libraries['nicaiu'].DAQmxSwitchDisconnect
DAQmxSwitchDisconnect.restype = int32
# DAQmxSwitchDisconnect(switchChannel1, switchChannel2, waitForSettling)
DAQmxSwitchDisconnect.argtypes = [STRING, STRING, bool32]
# NIDAQmx.h 1786
DAQmxSwitchDisconnectMulti = _stdcall_libraries['nicaiu'].DAQmxSwitchDisconnectMulti
DAQmxSwitchDisconnectMulti.restype = int32
# DAQmxSwitchDisconnectMulti(connectionList, waitForSettling)
DAQmxSwitchDisconnectMulti.argtypes = [STRING, bool32]
# NIDAQmx.h 1787
DAQmxSwitchDisconnectAll = _stdcall_libraries['nicaiu'].DAQmxSwitchDisconnectAll
DAQmxSwitchDisconnectAll.restype = int32
# DAQmxSwitchDisconnectAll(deviceName, waitForSettling)
DAQmxSwitchDisconnectAll.argtypes = [STRING, bool32]
# NIDAQmx.h 1916
DAQmxSwitchSetTopologyAndReset = _stdcall_libraries['nicaiu'].DAQmxSwitchSetTopologyAndReset
DAQmxSwitchSetTopologyAndReset.restype = int32
# DAQmxSwitchSetTopologyAndReset(deviceName, newTopology)
DAQmxSwitchSetTopologyAndReset.argtypes = [STRING, STRING]
# NIDAQmx.h 1919
DAQmxSwitchFindPath = _stdcall_libraries['nicaiu'].DAQmxSwitchFindPath
DAQmxSwitchFindPath.restype = int32
# DAQmxSwitchFindPath(switchChannel1, switchChannel2, path, pathBufferSize, pathStatus)
DAQmxSwitchFindPath.argtypes = [STRING, STRING, STRING, uInt32, POINTER(int32)]
# NIDAQmx.h 1921
DAQmxSwitchOpenRelays = _stdcall_libraries['nicaiu'].DAQmxSwitchOpenRelays
DAQmxSwitchOpenRelays.restype = int32
# DAQmxSwitchOpenRelays(relayList, waitForSettling)
DAQmxSwitchOpenRelays.argtypes = [STRING, bool32]
# NIDAQmx.h 1922
DAQmxSwitchCloseRelays = _stdcall_libraries['nicaiu'].DAQmxSwitchCloseRelays
DAQmxSwitchCloseRelays.restype = int32
# DAQmxSwitchCloseRelays(relayList, waitForSettling)
DAQmxSwitchCloseRelays.argtypes = [STRING, bool32]
# NIDAQmx.h 1924
DAQmxSwitchGetSingleRelayCount = _stdcall_libraries['nicaiu'].DAQmxSwitchGetSingleRelayCount
DAQmxSwitchGetSingleRelayCount.restype = int32
# DAQmxSwitchGetSingleRelayCount(relayName, count)
DAQmxSwitchGetSingleRelayCount.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 1925
DAQmxSwitchGetMultiRelayCount = _stdcall_libraries['nicaiu'].DAQmxSwitchGetMultiRelayCount
DAQmxSwitchGetMultiRelayCount.restype = int32
# DAQmxSwitchGetMultiRelayCount(relayList, count, countArraySize, numRelayCountsRead)
DAQmxSwitchGetMultiRelayCount.argtypes = [STRING, POINTER(uInt32), uInt32, POINTER(uInt32)]
# NIDAQmx.h 1927
DAQmxSwitchGetSingleRelayPos = _stdcall_libraries['nicaiu'].DAQmxSwitchGetSingleRelayPos
DAQmxSwitchGetSingleRelayPos.restype = int32
# DAQmxSwitchGetSingleRelayPos(relayName, relayPos)
DAQmxSwitchGetSingleRelayPos.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 1929
DAQmxSwitchGetMultiRelayPos = _stdcall_libraries['nicaiu'].DAQmxSwitchGetMultiRelayPos
DAQmxSwitchGetMultiRelayPos.restype = int32
# DAQmxSwitchGetMultiRelayPos(relayList, relayPos, relayPosArraySize, numRelayPossRead)
DAQmxSwitchGetMultiRelayPos.argtypes = [STRING, POINTER(uInt32), uInt32, POINTER(uInt32)]
# NIDAQmx.h 1931
DAQmxSwitchWaitForSettling = _stdcall_libraries['nicaiu'].DAQmxSwitchWaitForSettling
DAQmxSwitchWaitForSettling.restype = int32
# DAQmxSwitchWaitForSettling(deviceName)
DAQmxSwitchWaitForSettling.argtypes = [STRING]
# NIDAQmx.h 1933
DAQmxGetSwitchChanAttribute = _libraries['nicaiu'].DAQmxGetSwitchChanAttribute
DAQmxGetSwitchChanAttribute.restype = int32
# DAQmxGetSwitchChanAttribute(switchChannelName, attribute, value)
DAQmxGetSwitchChanAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 1934
DAQmxSetSwitchChanAttribute = _libraries['nicaiu'].DAQmxSetSwitchChanAttribute
DAQmxSetSwitchChanAttribute.restype = int32
# DAQmxSetSwitchChanAttribute(switchChannelName, attribute)
DAQmxSetSwitchChanAttribute.argtypes = [STRING, int32]
# NIDAQmx.h 1936
DAQmxGetSwitchDeviceAttribute = _libraries['nicaiu'].DAQmxGetSwitchDeviceAttribute
DAQmxGetSwitchDeviceAttribute.restype = int32
# DAQmxGetSwitchDeviceAttribute(deviceName, attribute, value)
DAQmxGetSwitchDeviceAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 1937
DAQmxSetSwitchDeviceAttribute = _libraries['nicaiu'].DAQmxSetSwitchDeviceAttribute
DAQmxSetSwitchDeviceAttribute.restype = int32
# DAQmxSetSwitchDeviceAttribute(deviceName, attribute)
DAQmxSetSwitchDeviceAttribute.argtypes = [STRING, int32]
# NIDAQmx.h 1939
DAQmxGetSwitchScanAttribute = _libraries['nicaiu'].DAQmxGetSwitchScanAttribute
DAQmxGetSwitchScanAttribute.restype = int32
# DAQmxGetSwitchScanAttribute(taskHandle, attribute, value)
DAQmxGetSwitchScanAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 1940
DAQmxSetSwitchScanAttribute = _libraries['nicaiu'].DAQmxSetSwitchScanAttribute
DAQmxSetSwitchScanAttribute.restype = int32
# DAQmxSetSwitchScanAttribute(taskHandle, attribute)
DAQmxSetSwitchScanAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1941
DAQmxResetSwitchScanAttribute = _stdcall_libraries['nicaiu'].DAQmxResetSwitchScanAttribute
DAQmxResetSwitchScanAttribute.restype = int32
# DAQmxResetSwitchScanAttribute(taskHandle, attribute)
DAQmxResetSwitchScanAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1949
DAQmxConnectTerms = _stdcall_libraries['nicaiu'].DAQmxConnectTerms
DAQmxConnectTerms.restype = int32
# DAQmxConnectTerms(sourceTerminal, destinationTerminal, signalModifiers)
DAQmxConnectTerms.argtypes = [STRING, STRING, int32]
# NIDAQmx.h 1950
DAQmxDisconnectTerms = _stdcall_libraries['nicaiu'].DAQmxDisconnectTerms
DAQmxDisconnectTerms.restype = int32
# DAQmxDisconnectTerms(sourceTerminal, destinationTerminal)
DAQmxDisconnectTerms.argtypes = [STRING, STRING]
# NIDAQmx.h 1951
DAQmxTristateOutputTerm = _stdcall_libraries['nicaiu'].DAQmxTristateOutputTerm
DAQmxTristateOutputTerm.restype = int32
# DAQmxTristateOutputTerm(outputTerminal)
DAQmxTristateOutputTerm.argtypes = [STRING]
# NIDAQmx.h 1959
DAQmxResetDevice = _stdcall_libraries['nicaiu'].DAQmxResetDevice
DAQmxResetDevice.restype = int32
# DAQmxResetDevice(deviceName)
DAQmxResetDevice.argtypes = [STRING]
# NIDAQmx.h 1961
DAQmxGetDeviceAttribute = _libraries['nicaiu'].DAQmxGetDeviceAttribute
DAQmxGetDeviceAttribute.restype = int32
# DAQmxGetDeviceAttribute(deviceName, attribute, value)
DAQmxGetDeviceAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 1968
DAQmxCreateWatchdogTimerTask = _libraries['nicaiu'].DAQmxCreateWatchdogTimerTask
DAQmxCreateWatchdogTimerTask.restype = int32
# DAQmxCreateWatchdogTimerTask(deviceName, taskName, taskHandle, timeout, lines, expState)
DAQmxCreateWatchdogTimerTask.argtypes = [STRING, STRING, POINTER(TaskHandle), float64, STRING, int32]
# NIDAQmx.h 1969
DAQmxControlWatchdogTask = _stdcall_libraries['nicaiu'].DAQmxControlWatchdogTask
DAQmxControlWatchdogTask.restype = int32
# DAQmxControlWatchdogTask(taskHandle, action)
DAQmxControlWatchdogTask.argtypes = [TaskHandle, int32]
# NIDAQmx.h 1971
DAQmxGetWatchdogAttribute = _libraries['nicaiu'].DAQmxGetWatchdogAttribute
DAQmxGetWatchdogAttribute.restype = int32
# DAQmxGetWatchdogAttribute(taskHandle, lines, attribute, value)
DAQmxGetWatchdogAttribute.argtypes = [TaskHandle, STRING, int32, c_void_p]
# NIDAQmx.h 1972
DAQmxSetWatchdogAttribute = _libraries['nicaiu'].DAQmxSetWatchdogAttribute
DAQmxSetWatchdogAttribute.restype = int32
# DAQmxSetWatchdogAttribute(taskHandle, lines, attribute)
DAQmxSetWatchdogAttribute.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1973
DAQmxResetWatchdogAttribute = _stdcall_libraries['nicaiu'].DAQmxResetWatchdogAttribute
DAQmxResetWatchdogAttribute.restype = int32
# DAQmxResetWatchdogAttribute(taskHandle, lines, attribute)
DAQmxResetWatchdogAttribute.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 1981
DAQmxSelfCal = _stdcall_libraries['nicaiu'].DAQmxSelfCal
DAQmxSelfCal.restype = int32
# DAQmxSelfCal(deviceName)
DAQmxSelfCal.argtypes = [STRING]
# NIDAQmx.h 1982
DAQmxPerformBridgeOffsetNullingCal = _stdcall_libraries['nicaiu'].DAQmxPerformBridgeOffsetNullingCal
DAQmxPerformBridgeOffsetNullingCal.restype = int32
# DAQmxPerformBridgeOffsetNullingCal(taskHandle, channel)
DAQmxPerformBridgeOffsetNullingCal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 1983
DAQmxGetSelfCalLastDateAndTime = _stdcall_libraries['nicaiu'].DAQmxGetSelfCalLastDateAndTime
DAQmxGetSelfCalLastDateAndTime.restype = int32
# DAQmxGetSelfCalLastDateAndTime(deviceName, year, month, day, hour, minute)
DAQmxGetSelfCalLastDateAndTime.argtypes = [STRING, POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32)]
# NIDAQmx.h 1984
DAQmxGetExtCalLastDateAndTime = _stdcall_libraries['nicaiu'].DAQmxGetExtCalLastDateAndTime
DAQmxGetExtCalLastDateAndTime.restype = int32
# DAQmxGetExtCalLastDateAndTime(deviceName, year, month, day, hour, minute)
DAQmxGetExtCalLastDateAndTime.argtypes = [STRING, POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32), POINTER(uInt32)]
# NIDAQmx.h 1985
DAQmxRestoreLastExtCalConst = _stdcall_libraries['nicaiu'].DAQmxRestoreLastExtCalConst
DAQmxRestoreLastExtCalConst.restype = int32
# DAQmxRestoreLastExtCalConst(deviceName)
DAQmxRestoreLastExtCalConst.argtypes = [STRING]
# NIDAQmx.h 1987
DAQmxESeriesCalAdjust = _stdcall_libraries['nicaiu'].DAQmxESeriesCalAdjust
DAQmxESeriesCalAdjust.restype = int32
# DAQmxESeriesCalAdjust(calHandle, referenceVoltage)
DAQmxESeriesCalAdjust.argtypes = [uInt32, float64]
# NIDAQmx.h 1988
DAQmxMSeriesCalAdjust = _stdcall_libraries['nicaiu'].DAQmxMSeriesCalAdjust
DAQmxMSeriesCalAdjust.restype = int32
# DAQmxMSeriesCalAdjust(calHandle, referenceVoltage)
DAQmxMSeriesCalAdjust.argtypes = [uInt32, float64]
# NIDAQmx.h 1989
DAQmxSSeriesCalAdjust = _stdcall_libraries['nicaiu'].DAQmxSSeriesCalAdjust
DAQmxSSeriesCalAdjust.restype = int32
# DAQmxSSeriesCalAdjust(calHandle, referenceVoltage)
DAQmxSSeriesCalAdjust.argtypes = [uInt32, float64]
# NIDAQmx.h 1990
DAQmxSCBaseboardCalAdjust = _stdcall_libraries['nicaiu'].DAQmxSCBaseboardCalAdjust
DAQmxSCBaseboardCalAdjust.restype = int32
# DAQmxSCBaseboardCalAdjust(calHandle, referenceVoltage)
DAQmxSCBaseboardCalAdjust.argtypes = [uInt32, float64]
# NIDAQmx.h 1991
DAQmxAOSeriesCalAdjust = _stdcall_libraries['nicaiu'].DAQmxAOSeriesCalAdjust
DAQmxAOSeriesCalAdjust.restype = int32
# DAQmxAOSeriesCalAdjust(calHandle, referenceVoltage)
DAQmxAOSeriesCalAdjust.argtypes = [uInt32, float64]
# NIDAQmx.h 1993
DAQmxDeviceSupportsCal = _stdcall_libraries['nicaiu'].DAQmxDeviceSupportsCal
DAQmxDeviceSupportsCal.restype = int32
# DAQmxDeviceSupportsCal(deviceName, calSupported)
DAQmxDeviceSupportsCal.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 1995
DAQmxGetCalInfoAttribute = _libraries['nicaiu'].DAQmxGetCalInfoAttribute
DAQmxGetCalInfoAttribute.restype = int32
# DAQmxGetCalInfoAttribute(deviceName, attribute, value)
DAQmxGetCalInfoAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 1996
DAQmxSetCalInfoAttribute = _libraries['nicaiu'].DAQmxSetCalInfoAttribute
DAQmxSetCalInfoAttribute.restype = int32
# DAQmxSetCalInfoAttribute(deviceName, attribute)
DAQmxSetCalInfoAttribute.argtypes = [STRING, int32]
# NIDAQmx.h 1998
DAQmxInitExtCal = _stdcall_libraries['nicaiu'].DAQmxInitExtCal
DAQmxInitExtCal.restype = int32
# DAQmxInitExtCal(deviceName, password, calHandle)
DAQmxInitExtCal.argtypes = [STRING, STRING, POINTER(uInt32)]
# NIDAQmx.h 1999
DAQmxCloseExtCal = _stdcall_libraries['nicaiu'].DAQmxCloseExtCal
DAQmxCloseExtCal.restype = int32
# DAQmxCloseExtCal(calHandle, action)
DAQmxCloseExtCal.argtypes = [uInt32, int32]
# NIDAQmx.h 2000
DAQmxChangeExtCalPassword = _stdcall_libraries['nicaiu'].DAQmxChangeExtCalPassword
DAQmxChangeExtCalPassword.restype = int32
# DAQmxChangeExtCalPassword(deviceName, password, newPassword)
DAQmxChangeExtCalPassword.argtypes = [STRING, STRING, STRING]
# NIDAQmx.h 2002
DAQmxAdjustDSAAICal = _stdcall_libraries['nicaiu'].DAQmxAdjustDSAAICal
DAQmxAdjustDSAAICal.restype = int32
# DAQmxAdjustDSAAICal(calHandle, referenceVoltage)
DAQmxAdjustDSAAICal.argtypes = [uInt32, float64]
# NIDAQmx.h 2003
DAQmxAdjustDSAAOCal = _stdcall_libraries['nicaiu'].DAQmxAdjustDSAAOCal
DAQmxAdjustDSAAOCal.restype = int32
# DAQmxAdjustDSAAOCal(calHandle, channel, requestedLowVoltage, actualLowVoltage, requestedHighVoltage, actualHighVoltage, gainSetting)
DAQmxAdjustDSAAOCal.argtypes = [uInt32, uInt32, float64, float64, float64, float64, float64]
# NIDAQmx.h 2004
DAQmxAdjustDSATimebaseCal = _stdcall_libraries['nicaiu'].DAQmxAdjustDSATimebaseCal
DAQmxAdjustDSATimebaseCal.restype = int32
# DAQmxAdjustDSATimebaseCal(calHandle, referenceFrequency)
DAQmxAdjustDSATimebaseCal.argtypes = [uInt32, float64]
# NIDAQmx.h 2006
DAQmxAdjust4204Cal = _stdcall_libraries['nicaiu'].DAQmxAdjust4204Cal
DAQmxAdjust4204Cal.restype = int32
# DAQmxAdjust4204Cal(calHandle, channelNames, lowPassFreq, trackHoldEnabled, inputVal)
DAQmxAdjust4204Cal.argtypes = [uInt32, STRING, float64, bool32, float64]
# NIDAQmx.h 2007
DAQmxAdjust4220Cal = _stdcall_libraries['nicaiu'].DAQmxAdjust4220Cal
DAQmxAdjust4220Cal.restype = int32
# DAQmxAdjust4220Cal(calHandle, channelNames, gain, inputVal)
DAQmxAdjust4220Cal.argtypes = [uInt32, STRING, float64, float64]
# NIDAQmx.h 2008
DAQmxAdjust4224Cal = _stdcall_libraries['nicaiu'].DAQmxAdjust4224Cal
DAQmxAdjust4224Cal.restype = int32
# DAQmxAdjust4224Cal(calHandle, channelNames, gain, inputVal)
DAQmxAdjust4224Cal.argtypes = [uInt32, STRING, float64, float64]
# NIDAQmx.h 2009
DAQmxAdjust4225Cal = _stdcall_libraries['nicaiu'].DAQmxAdjust4225Cal
DAQmxAdjust4225Cal.restype = int32
# DAQmxAdjust4225Cal(calHandle, channelNames, gain, inputVal)
DAQmxAdjust4225Cal.argtypes = [uInt32, STRING, float64, float64]
# NIDAQmx.h 2016
DAQmxConfigureTEDS = _stdcall_libraries['nicaiu'].DAQmxConfigureTEDS
DAQmxConfigureTEDS.restype = int32
# DAQmxConfigureTEDS(physicalChannel, filePath)
DAQmxConfigureTEDS.argtypes = [STRING, STRING]
# NIDAQmx.h 2017
DAQmxClearTEDS = _stdcall_libraries['nicaiu'].DAQmxClearTEDS
DAQmxClearTEDS.restype = int32
# DAQmxClearTEDS(physicalChannel)
DAQmxClearTEDS.argtypes = [STRING]
# NIDAQmx.h 2018
DAQmxWriteToTEDSFromArray = _stdcall_libraries['nicaiu'].DAQmxWriteToTEDSFromArray
DAQmxWriteToTEDSFromArray.restype = int32
# DAQmxWriteToTEDSFromArray(physicalChannel, bitStream, arraySize, basicTEDSOptions)
DAQmxWriteToTEDSFromArray.argtypes = [STRING, POINTER(uInt8), uInt32, int32]
# NIDAQmx.h 2019
DAQmxWriteToTEDSFromFile = _stdcall_libraries['nicaiu'].DAQmxWriteToTEDSFromFile
DAQmxWriteToTEDSFromFile.restype = int32
# DAQmxWriteToTEDSFromFile(physicalChannel, filePath, basicTEDSOptions)
DAQmxWriteToTEDSFromFile.argtypes = [STRING, STRING, int32]
# NIDAQmx.h 2020
DAQmxGetPhysicalChanAttribute = _libraries['nicaiu'].DAQmxGetPhysicalChanAttribute
DAQmxGetPhysicalChanAttribute.restype = int32
# DAQmxGetPhysicalChanAttribute(physicalChannel, attribute, value)
DAQmxGetPhysicalChanAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 2027
DAQmxWaitForNextSampleClock = _stdcall_libraries['nicaiu'].DAQmxWaitForNextSampleClock
DAQmxWaitForNextSampleClock.restype = int32
# DAQmxWaitForNextSampleClock(taskHandle, timeout, isLate)
DAQmxWaitForNextSampleClock.argtypes = [TaskHandle, float64, POINTER(bool32)]
# NIDAQmx.h 2028
DAQmxGetRealTimeAttribute = _libraries['nicaiu'].DAQmxGetRealTimeAttribute
DAQmxGetRealTimeAttribute.restype = int32
# DAQmxGetRealTimeAttribute(taskHandle, attribute, value)
DAQmxGetRealTimeAttribute.argtypes = [TaskHandle, int32, c_void_p]
# NIDAQmx.h 2029
DAQmxSetRealTimeAttribute = _libraries['nicaiu'].DAQmxSetRealTimeAttribute
DAQmxSetRealTimeAttribute.restype = int32
# DAQmxSetRealTimeAttribute(taskHandle, attribute)
DAQmxSetRealTimeAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 2030
DAQmxResetRealTimeAttribute = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeAttribute
DAQmxResetRealTimeAttribute.restype = int32
# DAQmxResetRealTimeAttribute(taskHandle, attribute)
DAQmxResetRealTimeAttribute.argtypes = [TaskHandle, int32]
# NIDAQmx.h 2033
DAQmxIsReadOrWriteLate = _stdcall_libraries['nicaiu'].DAQmxIsReadOrWriteLate
DAQmxIsReadOrWriteLate.restype = bool32
# DAQmxIsReadOrWriteLate(errorCode)
DAQmxIsReadOrWriteLate.argtypes = [int32]
# NIDAQmx.h 2040
DAQmxSaveTask = _stdcall_libraries['nicaiu'].DAQmxSaveTask
DAQmxSaveTask.restype = int32
# DAQmxSaveTask(taskHandle, saveAs, author, options)
DAQmxSaveTask.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2041
DAQmxSaveGlobalChan = _stdcall_libraries['nicaiu'].DAQmxSaveGlobalChan
DAQmxSaveGlobalChan.restype = int32
# DAQmxSaveGlobalChan(taskHandle, channelName, saveAs, author, options)
DAQmxSaveGlobalChan.argtypes = [TaskHandle, STRING, STRING, STRING, uInt32]
# NIDAQmx.h 2042
DAQmxSaveScale = _stdcall_libraries['nicaiu'].DAQmxSaveScale
DAQmxSaveScale.restype = int32
# DAQmxSaveScale(scaleName, saveAs, author, options)
DAQmxSaveScale.argtypes = [STRING, STRING, STRING, uInt32]
# NIDAQmx.h 2043
DAQmxDeleteSavedTask = _stdcall_libraries['nicaiu'].DAQmxDeleteSavedTask
DAQmxDeleteSavedTask.restype = int32
# DAQmxDeleteSavedTask(taskName)
DAQmxDeleteSavedTask.argtypes = [STRING]
# NIDAQmx.h 2044
DAQmxDeleteSavedGlobalChan = _stdcall_libraries['nicaiu'].DAQmxDeleteSavedGlobalChan
DAQmxDeleteSavedGlobalChan.restype = int32
# DAQmxDeleteSavedGlobalChan(channelName)
DAQmxDeleteSavedGlobalChan.argtypes = [STRING]
# NIDAQmx.h 2045
DAQmxDeleteSavedScale = _stdcall_libraries['nicaiu'].DAQmxDeleteSavedScale
DAQmxDeleteSavedScale.restype = int32
# DAQmxDeleteSavedScale(scaleName)
DAQmxDeleteSavedScale.argtypes = [STRING]
# NIDAQmx.h 2047
DAQmxGetPersistedTaskAttribute = _libraries['nicaiu'].DAQmxGetPersistedTaskAttribute
DAQmxGetPersistedTaskAttribute.restype = int32
# DAQmxGetPersistedTaskAttribute(taskName, attribute, value)
DAQmxGetPersistedTaskAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 2048
DAQmxGetPersistedChanAttribute = _libraries['nicaiu'].DAQmxGetPersistedChanAttribute
DAQmxGetPersistedChanAttribute.restype = int32
# DAQmxGetPersistedChanAttribute(channel, attribute, value)
DAQmxGetPersistedChanAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 2049
DAQmxGetPersistedScaleAttribute = _libraries['nicaiu'].DAQmxGetPersistedScaleAttribute
DAQmxGetPersistedScaleAttribute.restype = int32
# DAQmxGetPersistedScaleAttribute(scaleName, attribute, value)
DAQmxGetPersistedScaleAttribute.argtypes = [STRING, int32, c_void_p]
# NIDAQmx.h 2056
DAQmxGetSystemInfoAttribute = _libraries['nicaiu'].DAQmxGetSystemInfoAttribute
DAQmxGetSystemInfoAttribute.restype = int32
# DAQmxGetSystemInfoAttribute(attribute, value)
DAQmxGetSystemInfoAttribute.argtypes = [int32, c_void_p]
# NIDAQmx.h 2057
DAQmxSetDigitalPowerUpStates = _libraries['nicaiu'].DAQmxSetDigitalPowerUpStates
DAQmxSetDigitalPowerUpStates.restype = int32
# DAQmxSetDigitalPowerUpStates(deviceName, channelNames, state)
DAQmxSetDigitalPowerUpStates.argtypes = [STRING, STRING, int32]
# NIDAQmx.h 2058
DAQmxSetAnalogPowerUpStates = _libraries['nicaiu'].DAQmxSetAnalogPowerUpStates
DAQmxSetAnalogPowerUpStates.restype = int32
# DAQmxSetAnalogPowerUpStates(deviceName, channelNames, state, channelType)
DAQmxSetAnalogPowerUpStates.argtypes = [STRING, STRING, float64, int32]
# NIDAQmx.h 2065
DAQmxGetErrorString = _stdcall_libraries['nicaiu'].DAQmxGetErrorString
DAQmxGetErrorString.restype = int32
# DAQmxGetErrorString(errorCode, errorString, bufferSize)
DAQmxGetErrorString.argtypes = [int32, STRING, uInt32]
# NIDAQmx.h 2066
DAQmxGetExtendedErrorInfo = _stdcall_libraries['nicaiu'].DAQmxGetExtendedErrorInfo
DAQmxGetExtendedErrorInfo.restype = int32
# DAQmxGetExtendedErrorInfo(errorString, bufferSize)
DAQmxGetExtendedErrorInfo.argtypes = [STRING, uInt32]
# NIDAQmx.h 2075
DAQmxGetBufInputBufSize = _stdcall_libraries['nicaiu'].DAQmxGetBufInputBufSize
DAQmxGetBufInputBufSize.restype = int32
# DAQmxGetBufInputBufSize(taskHandle, data)
DAQmxGetBufInputBufSize.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 2076
DAQmxSetBufInputBufSize = _stdcall_libraries['nicaiu'].DAQmxSetBufInputBufSize
DAQmxSetBufInputBufSize.restype = int32
# DAQmxSetBufInputBufSize(taskHandle, data)
DAQmxSetBufInputBufSize.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 2077
DAQmxResetBufInputBufSize = _stdcall_libraries['nicaiu'].DAQmxResetBufInputBufSize
DAQmxResetBufInputBufSize.restype = int32
# DAQmxResetBufInputBufSize(taskHandle)
DAQmxResetBufInputBufSize.argtypes = [TaskHandle]
# NIDAQmx.h 2079
DAQmxGetBufInputOnbrdBufSize = _stdcall_libraries['nicaiu'].DAQmxGetBufInputOnbrdBufSize
DAQmxGetBufInputOnbrdBufSize.restype = int32
# DAQmxGetBufInputOnbrdBufSize(taskHandle, data)
DAQmxGetBufInputOnbrdBufSize.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 2081
DAQmxGetBufOutputBufSize = _stdcall_libraries['nicaiu'].DAQmxGetBufOutputBufSize
DAQmxGetBufOutputBufSize.restype = int32
# DAQmxGetBufOutputBufSize(taskHandle, data)
DAQmxGetBufOutputBufSize.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 2082
DAQmxSetBufOutputBufSize = _stdcall_libraries['nicaiu'].DAQmxSetBufOutputBufSize
DAQmxSetBufOutputBufSize.restype = int32
# DAQmxSetBufOutputBufSize(taskHandle, data)
DAQmxSetBufOutputBufSize.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 2083
DAQmxResetBufOutputBufSize = _stdcall_libraries['nicaiu'].DAQmxResetBufOutputBufSize
DAQmxResetBufOutputBufSize.restype = int32
# DAQmxResetBufOutputBufSize(taskHandle)
DAQmxResetBufOutputBufSize.argtypes = [TaskHandle]
# NIDAQmx.h 2085
DAQmxGetBufOutputOnbrdBufSize = _stdcall_libraries['nicaiu'].DAQmxGetBufOutputOnbrdBufSize
DAQmxGetBufOutputOnbrdBufSize.restype = int32
# DAQmxGetBufOutputOnbrdBufSize(taskHandle, data)
DAQmxGetBufOutputOnbrdBufSize.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 2086
DAQmxSetBufOutputOnbrdBufSize = _stdcall_libraries['nicaiu'].DAQmxSetBufOutputOnbrdBufSize
DAQmxSetBufOutputOnbrdBufSize.restype = int32
# DAQmxSetBufOutputOnbrdBufSize(taskHandle, data)
DAQmxSetBufOutputOnbrdBufSize.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 2087
DAQmxResetBufOutputOnbrdBufSize = _stdcall_libraries['nicaiu'].DAQmxResetBufOutputOnbrdBufSize
DAQmxResetBufOutputOnbrdBufSize.restype = int32
# DAQmxResetBufOutputOnbrdBufSize(taskHandle)
DAQmxResetBufOutputOnbrdBufSize.argtypes = [TaskHandle]
# NIDAQmx.h 2091
DAQmxGetSelfCalSupported = _stdcall_libraries['nicaiu'].DAQmxGetSelfCalSupported
DAQmxGetSelfCalSupported.restype = int32
# DAQmxGetSelfCalSupported(deviceName, data)
DAQmxGetSelfCalSupported.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 2093
DAQmxGetSelfCalLastTemp = _stdcall_libraries['nicaiu'].DAQmxGetSelfCalLastTemp
DAQmxGetSelfCalLastTemp.restype = int32
# DAQmxGetSelfCalLastTemp(deviceName, data)
DAQmxGetSelfCalLastTemp.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 2095
DAQmxGetExtCalRecommendedInterval = _stdcall_libraries['nicaiu'].DAQmxGetExtCalRecommendedInterval
DAQmxGetExtCalRecommendedInterval.restype = int32
# DAQmxGetExtCalRecommendedInterval(deviceName, data)
DAQmxGetExtCalRecommendedInterval.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 2097
DAQmxGetExtCalLastTemp = _stdcall_libraries['nicaiu'].DAQmxGetExtCalLastTemp
DAQmxGetExtCalLastTemp.restype = int32
# DAQmxGetExtCalLastTemp(deviceName, data)
DAQmxGetExtCalLastTemp.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 2099
DAQmxGetCalUserDefinedInfo = _stdcall_libraries['nicaiu'].DAQmxGetCalUserDefinedInfo
DAQmxGetCalUserDefinedInfo.restype = int32
# DAQmxGetCalUserDefinedInfo(deviceName, data, bufferSize)
DAQmxGetCalUserDefinedInfo.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 2100
DAQmxSetCalUserDefinedInfo = _stdcall_libraries['nicaiu'].DAQmxSetCalUserDefinedInfo
DAQmxSetCalUserDefinedInfo.restype = int32
# DAQmxSetCalUserDefinedInfo(deviceName, data)
DAQmxSetCalUserDefinedInfo.argtypes = [STRING, STRING]
# NIDAQmx.h 2102
DAQmxGetCalUserDefinedInfoMaxSize = _stdcall_libraries['nicaiu'].DAQmxGetCalUserDefinedInfoMaxSize
DAQmxGetCalUserDefinedInfoMaxSize.restype = int32
# DAQmxGetCalUserDefinedInfoMaxSize(deviceName, data)
DAQmxGetCalUserDefinedInfoMaxSize.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 2104
DAQmxGetCalDevTemp = _stdcall_libraries['nicaiu'].DAQmxGetCalDevTemp
DAQmxGetCalDevTemp.restype = int32
# DAQmxGetCalDevTemp(deviceName, data)
DAQmxGetCalDevTemp.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 2108
DAQmxGetAIMax = _stdcall_libraries['nicaiu'].DAQmxGetAIMax
DAQmxGetAIMax.restype = int32
# DAQmxGetAIMax(taskHandle, channel, data)
DAQmxGetAIMax.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2109
DAQmxSetAIMax = _stdcall_libraries['nicaiu'].DAQmxSetAIMax
DAQmxSetAIMax.restype = int32
# DAQmxSetAIMax(taskHandle, channel, data)
DAQmxSetAIMax.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2110
DAQmxResetAIMax = _stdcall_libraries['nicaiu'].DAQmxResetAIMax
DAQmxResetAIMax.restype = int32
# DAQmxResetAIMax(taskHandle, channel)
DAQmxResetAIMax.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2112
DAQmxGetAIMin = _stdcall_libraries['nicaiu'].DAQmxGetAIMin
DAQmxGetAIMin.restype = int32
# DAQmxGetAIMin(taskHandle, channel, data)
DAQmxGetAIMin.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2113
DAQmxSetAIMin = _stdcall_libraries['nicaiu'].DAQmxSetAIMin
DAQmxSetAIMin.restype = int32
# DAQmxSetAIMin(taskHandle, channel, data)
DAQmxSetAIMin.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2114
DAQmxResetAIMin = _stdcall_libraries['nicaiu'].DAQmxResetAIMin
DAQmxResetAIMin.restype = int32
# DAQmxResetAIMin(taskHandle, channel)
DAQmxResetAIMin.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2116
DAQmxGetAICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxGetAICustomScaleName
DAQmxGetAICustomScaleName.restype = int32
# DAQmxGetAICustomScaleName(taskHandle, channel, data, bufferSize)
DAQmxGetAICustomScaleName.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2117
DAQmxSetAICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxSetAICustomScaleName
DAQmxSetAICustomScaleName.restype = int32
# DAQmxSetAICustomScaleName(taskHandle, channel, data)
DAQmxSetAICustomScaleName.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2118
DAQmxResetAICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxResetAICustomScaleName
DAQmxResetAICustomScaleName.restype = int32
# DAQmxResetAICustomScaleName(taskHandle, channel)
DAQmxResetAICustomScaleName.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2121
DAQmxGetAIMeasType = _stdcall_libraries['nicaiu'].DAQmxGetAIMeasType
DAQmxGetAIMeasType.restype = int32
# DAQmxGetAIMeasType(taskHandle, channel, data)
DAQmxGetAIMeasType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2124
DAQmxGetAIVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIVoltageUnits
DAQmxGetAIVoltageUnits.restype = int32
# DAQmxGetAIVoltageUnits(taskHandle, channel, data)
DAQmxGetAIVoltageUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2125
DAQmxSetAIVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIVoltageUnits
DAQmxSetAIVoltageUnits.restype = int32
# DAQmxSetAIVoltageUnits(taskHandle, channel, data)
DAQmxSetAIVoltageUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2126
DAQmxResetAIVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIVoltageUnits
DAQmxResetAIVoltageUnits.restype = int32
# DAQmxResetAIVoltageUnits(taskHandle, channel)
DAQmxResetAIVoltageUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2129
DAQmxGetAITempUnits = _stdcall_libraries['nicaiu'].DAQmxGetAITempUnits
DAQmxGetAITempUnits.restype = int32
# DAQmxGetAITempUnits(taskHandle, channel, data)
DAQmxGetAITempUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2130
DAQmxSetAITempUnits = _stdcall_libraries['nicaiu'].DAQmxSetAITempUnits
DAQmxSetAITempUnits.restype = int32
# DAQmxSetAITempUnits(taskHandle, channel, data)
DAQmxSetAITempUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2131
DAQmxResetAITempUnits = _stdcall_libraries['nicaiu'].DAQmxResetAITempUnits
DAQmxResetAITempUnits.restype = int32
# DAQmxResetAITempUnits(taskHandle, channel)
DAQmxResetAITempUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2134
DAQmxGetAIThrmcplType = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmcplType
DAQmxGetAIThrmcplType.restype = int32
# DAQmxGetAIThrmcplType(taskHandle, channel, data)
DAQmxGetAIThrmcplType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2135
DAQmxSetAIThrmcplType = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmcplType
DAQmxSetAIThrmcplType.restype = int32
# DAQmxSetAIThrmcplType(taskHandle, channel, data)
DAQmxSetAIThrmcplType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2136
DAQmxResetAIThrmcplType = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmcplType
DAQmxResetAIThrmcplType.restype = int32
# DAQmxResetAIThrmcplType(taskHandle, channel)
DAQmxResetAIThrmcplType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2139
DAQmxGetAIThrmcplCJCSrc = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmcplCJCSrc
DAQmxGetAIThrmcplCJCSrc.restype = int32
# DAQmxGetAIThrmcplCJCSrc(taskHandle, channel, data)
DAQmxGetAIThrmcplCJCSrc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2141
DAQmxGetAIThrmcplCJCVal = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmcplCJCVal
DAQmxGetAIThrmcplCJCVal.restype = int32
# DAQmxGetAIThrmcplCJCVal(taskHandle, channel, data)
DAQmxGetAIThrmcplCJCVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2142
DAQmxSetAIThrmcplCJCVal = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmcplCJCVal
DAQmxSetAIThrmcplCJCVal.restype = int32
# DAQmxSetAIThrmcplCJCVal(taskHandle, channel, data)
DAQmxSetAIThrmcplCJCVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2143
DAQmxResetAIThrmcplCJCVal = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmcplCJCVal
DAQmxResetAIThrmcplCJCVal.restype = int32
# DAQmxResetAIThrmcplCJCVal(taskHandle, channel)
DAQmxResetAIThrmcplCJCVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2145
DAQmxGetAIThrmcplCJCChan = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmcplCJCChan
DAQmxGetAIThrmcplCJCChan.restype = int32
# DAQmxGetAIThrmcplCJCChan(taskHandle, channel, data, bufferSize)
DAQmxGetAIThrmcplCJCChan.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2148
DAQmxGetAIRTDType = _stdcall_libraries['nicaiu'].DAQmxGetAIRTDType
DAQmxGetAIRTDType.restype = int32
# DAQmxGetAIRTDType(taskHandle, channel, data)
DAQmxGetAIRTDType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2149
DAQmxSetAIRTDType = _stdcall_libraries['nicaiu'].DAQmxSetAIRTDType
DAQmxSetAIRTDType.restype = int32
# DAQmxSetAIRTDType(taskHandle, channel, data)
DAQmxSetAIRTDType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2150
DAQmxResetAIRTDType = _stdcall_libraries['nicaiu'].DAQmxResetAIRTDType
DAQmxResetAIRTDType.restype = int32
# DAQmxResetAIRTDType(taskHandle, channel)
DAQmxResetAIRTDType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2152
DAQmxGetAIRTDR0 = _stdcall_libraries['nicaiu'].DAQmxGetAIRTDR0
DAQmxGetAIRTDR0.restype = int32
# DAQmxGetAIRTDR0(taskHandle, channel, data)
DAQmxGetAIRTDR0.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2153
DAQmxSetAIRTDR0 = _stdcall_libraries['nicaiu'].DAQmxSetAIRTDR0
DAQmxSetAIRTDR0.restype = int32
# DAQmxSetAIRTDR0(taskHandle, channel, data)
DAQmxSetAIRTDR0.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2154
DAQmxResetAIRTDR0 = _stdcall_libraries['nicaiu'].DAQmxResetAIRTDR0
DAQmxResetAIRTDR0.restype = int32
# DAQmxResetAIRTDR0(taskHandle, channel)
DAQmxResetAIRTDR0.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2156
DAQmxGetAIRTDA = _stdcall_libraries['nicaiu'].DAQmxGetAIRTDA
DAQmxGetAIRTDA.restype = int32
# DAQmxGetAIRTDA(taskHandle, channel, data)
DAQmxGetAIRTDA.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2157
DAQmxSetAIRTDA = _stdcall_libraries['nicaiu'].DAQmxSetAIRTDA
DAQmxSetAIRTDA.restype = int32
# DAQmxSetAIRTDA(taskHandle, channel, data)
DAQmxSetAIRTDA.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2158
DAQmxResetAIRTDA = _stdcall_libraries['nicaiu'].DAQmxResetAIRTDA
DAQmxResetAIRTDA.restype = int32
# DAQmxResetAIRTDA(taskHandle, channel)
DAQmxResetAIRTDA.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2160
DAQmxGetAIRTDB = _stdcall_libraries['nicaiu'].DAQmxGetAIRTDB
DAQmxGetAIRTDB.restype = int32
# DAQmxGetAIRTDB(taskHandle, channel, data)
DAQmxGetAIRTDB.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2161
DAQmxSetAIRTDB = _stdcall_libraries['nicaiu'].DAQmxSetAIRTDB
DAQmxSetAIRTDB.restype = int32
# DAQmxSetAIRTDB(taskHandle, channel, data)
DAQmxSetAIRTDB.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2162
DAQmxResetAIRTDB = _stdcall_libraries['nicaiu'].DAQmxResetAIRTDB
DAQmxResetAIRTDB.restype = int32
# DAQmxResetAIRTDB(taskHandle, channel)
DAQmxResetAIRTDB.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2164
DAQmxGetAIRTDC = _stdcall_libraries['nicaiu'].DAQmxGetAIRTDC
DAQmxGetAIRTDC.restype = int32
# DAQmxGetAIRTDC(taskHandle, channel, data)
DAQmxGetAIRTDC.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2165
DAQmxSetAIRTDC = _stdcall_libraries['nicaiu'].DAQmxSetAIRTDC
DAQmxSetAIRTDC.restype = int32
# DAQmxSetAIRTDC(taskHandle, channel, data)
DAQmxSetAIRTDC.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2166
DAQmxResetAIRTDC = _stdcall_libraries['nicaiu'].DAQmxResetAIRTDC
DAQmxResetAIRTDC.restype = int32
# DAQmxResetAIRTDC(taskHandle, channel)
DAQmxResetAIRTDC.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2168
DAQmxGetAIThrmstrA = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmstrA
DAQmxGetAIThrmstrA.restype = int32
# DAQmxGetAIThrmstrA(taskHandle, channel, data)
DAQmxGetAIThrmstrA.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2169
DAQmxSetAIThrmstrA = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmstrA
DAQmxSetAIThrmstrA.restype = int32
# DAQmxSetAIThrmstrA(taskHandle, channel, data)
DAQmxSetAIThrmstrA.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2170
DAQmxResetAIThrmstrA = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmstrA
DAQmxResetAIThrmstrA.restype = int32
# DAQmxResetAIThrmstrA(taskHandle, channel)
DAQmxResetAIThrmstrA.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2172
DAQmxGetAIThrmstrB = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmstrB
DAQmxGetAIThrmstrB.restype = int32
# DAQmxGetAIThrmstrB(taskHandle, channel, data)
DAQmxGetAIThrmstrB.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2173
DAQmxSetAIThrmstrB = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmstrB
DAQmxSetAIThrmstrB.restype = int32
# DAQmxSetAIThrmstrB(taskHandle, channel, data)
DAQmxSetAIThrmstrB.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2174
DAQmxResetAIThrmstrB = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmstrB
DAQmxResetAIThrmstrB.restype = int32
# DAQmxResetAIThrmstrB(taskHandle, channel)
DAQmxResetAIThrmstrB.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2176
DAQmxGetAIThrmstrC = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmstrC
DAQmxGetAIThrmstrC.restype = int32
# DAQmxGetAIThrmstrC(taskHandle, channel, data)
DAQmxGetAIThrmstrC.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2177
DAQmxSetAIThrmstrC = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmstrC
DAQmxSetAIThrmstrC.restype = int32
# DAQmxSetAIThrmstrC(taskHandle, channel, data)
DAQmxSetAIThrmstrC.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2178
DAQmxResetAIThrmstrC = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmstrC
DAQmxResetAIThrmstrC.restype = int32
# DAQmxResetAIThrmstrC(taskHandle, channel)
DAQmxResetAIThrmstrC.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2180
DAQmxGetAIThrmstrR1 = _stdcall_libraries['nicaiu'].DAQmxGetAIThrmstrR1
DAQmxGetAIThrmstrR1.restype = int32
# DAQmxGetAIThrmstrR1(taskHandle, channel, data)
DAQmxGetAIThrmstrR1.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2181
DAQmxSetAIThrmstrR1 = _stdcall_libraries['nicaiu'].DAQmxSetAIThrmstrR1
DAQmxSetAIThrmstrR1.restype = int32
# DAQmxSetAIThrmstrR1(taskHandle, channel, data)
DAQmxSetAIThrmstrR1.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2182
DAQmxResetAIThrmstrR1 = _stdcall_libraries['nicaiu'].DAQmxResetAIThrmstrR1
DAQmxResetAIThrmstrR1.restype = int32
# DAQmxResetAIThrmstrR1(taskHandle, channel)
DAQmxResetAIThrmstrR1.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2184
DAQmxGetAIForceReadFromChan = _stdcall_libraries['nicaiu'].DAQmxGetAIForceReadFromChan
DAQmxGetAIForceReadFromChan.restype = int32
# DAQmxGetAIForceReadFromChan(taskHandle, channel, data)
DAQmxGetAIForceReadFromChan.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2185
DAQmxSetAIForceReadFromChan = _stdcall_libraries['nicaiu'].DAQmxSetAIForceReadFromChan
DAQmxSetAIForceReadFromChan.restype = int32
# DAQmxSetAIForceReadFromChan(taskHandle, channel, data)
DAQmxSetAIForceReadFromChan.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2186
DAQmxResetAIForceReadFromChan = _stdcall_libraries['nicaiu'].DAQmxResetAIForceReadFromChan
DAQmxResetAIForceReadFromChan.restype = int32
# DAQmxResetAIForceReadFromChan(taskHandle, channel)
DAQmxResetAIForceReadFromChan.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2189
DAQmxGetAICurrentUnits = _stdcall_libraries['nicaiu'].DAQmxGetAICurrentUnits
DAQmxGetAICurrentUnits.restype = int32
# DAQmxGetAICurrentUnits(taskHandle, channel, data)
DAQmxGetAICurrentUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2190
DAQmxSetAICurrentUnits = _stdcall_libraries['nicaiu'].DAQmxSetAICurrentUnits
DAQmxSetAICurrentUnits.restype = int32
# DAQmxSetAICurrentUnits(taskHandle, channel, data)
DAQmxSetAICurrentUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2191
DAQmxResetAICurrentUnits = _stdcall_libraries['nicaiu'].DAQmxResetAICurrentUnits
DAQmxResetAICurrentUnits.restype = int32
# DAQmxResetAICurrentUnits(taskHandle, channel)
DAQmxResetAICurrentUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2194
DAQmxGetAIStrainUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIStrainUnits
DAQmxGetAIStrainUnits.restype = int32
# DAQmxGetAIStrainUnits(taskHandle, channel, data)
DAQmxGetAIStrainUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2195
DAQmxSetAIStrainUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIStrainUnits
DAQmxSetAIStrainUnits.restype = int32
# DAQmxSetAIStrainUnits(taskHandle, channel, data)
DAQmxSetAIStrainUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2196
DAQmxResetAIStrainUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIStrainUnits
DAQmxResetAIStrainUnits.restype = int32
# DAQmxResetAIStrainUnits(taskHandle, channel)
DAQmxResetAIStrainUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2198
DAQmxGetAIStrainGageGageFactor = _stdcall_libraries['nicaiu'].DAQmxGetAIStrainGageGageFactor
DAQmxGetAIStrainGageGageFactor.restype = int32
# DAQmxGetAIStrainGageGageFactor(taskHandle, channel, data)
DAQmxGetAIStrainGageGageFactor.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2199
DAQmxSetAIStrainGageGageFactor = _stdcall_libraries['nicaiu'].DAQmxSetAIStrainGageGageFactor
DAQmxSetAIStrainGageGageFactor.restype = int32
# DAQmxSetAIStrainGageGageFactor(taskHandle, channel, data)
DAQmxSetAIStrainGageGageFactor.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2200
DAQmxResetAIStrainGageGageFactor = _stdcall_libraries['nicaiu'].DAQmxResetAIStrainGageGageFactor
DAQmxResetAIStrainGageGageFactor.restype = int32
# DAQmxResetAIStrainGageGageFactor(taskHandle, channel)
DAQmxResetAIStrainGageGageFactor.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2202
DAQmxGetAIStrainGagePoissonRatio = _stdcall_libraries['nicaiu'].DAQmxGetAIStrainGagePoissonRatio
DAQmxGetAIStrainGagePoissonRatio.restype = int32
# DAQmxGetAIStrainGagePoissonRatio(taskHandle, channel, data)
DAQmxGetAIStrainGagePoissonRatio.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2203
DAQmxSetAIStrainGagePoissonRatio = _stdcall_libraries['nicaiu'].DAQmxSetAIStrainGagePoissonRatio
DAQmxSetAIStrainGagePoissonRatio.restype = int32
# DAQmxSetAIStrainGagePoissonRatio(taskHandle, channel, data)
DAQmxSetAIStrainGagePoissonRatio.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2204
DAQmxResetAIStrainGagePoissonRatio = _stdcall_libraries['nicaiu'].DAQmxResetAIStrainGagePoissonRatio
DAQmxResetAIStrainGagePoissonRatio.restype = int32
# DAQmxResetAIStrainGagePoissonRatio(taskHandle, channel)
DAQmxResetAIStrainGagePoissonRatio.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2207
DAQmxGetAIStrainGageCfg = _stdcall_libraries['nicaiu'].DAQmxGetAIStrainGageCfg
DAQmxGetAIStrainGageCfg.restype = int32
# DAQmxGetAIStrainGageCfg(taskHandle, channel, data)
DAQmxGetAIStrainGageCfg.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2208
DAQmxSetAIStrainGageCfg = _stdcall_libraries['nicaiu'].DAQmxSetAIStrainGageCfg
DAQmxSetAIStrainGageCfg.restype = int32
# DAQmxSetAIStrainGageCfg(taskHandle, channel, data)
DAQmxSetAIStrainGageCfg.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2209
DAQmxResetAIStrainGageCfg = _stdcall_libraries['nicaiu'].DAQmxResetAIStrainGageCfg
DAQmxResetAIStrainGageCfg.restype = int32
# DAQmxResetAIStrainGageCfg(taskHandle, channel)
DAQmxResetAIStrainGageCfg.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2212
DAQmxGetAIResistanceUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIResistanceUnits
DAQmxGetAIResistanceUnits.restype = int32
# DAQmxGetAIResistanceUnits(taskHandle, channel, data)
DAQmxGetAIResistanceUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2213
DAQmxSetAIResistanceUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIResistanceUnits
DAQmxSetAIResistanceUnits.restype = int32
# DAQmxSetAIResistanceUnits(taskHandle, channel, data)
DAQmxSetAIResistanceUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2214
DAQmxResetAIResistanceUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIResistanceUnits
DAQmxResetAIResistanceUnits.restype = int32
# DAQmxResetAIResistanceUnits(taskHandle, channel)
DAQmxResetAIResistanceUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2217
DAQmxGetAIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIFreqUnits
DAQmxGetAIFreqUnits.restype = int32
# DAQmxGetAIFreqUnits(taskHandle, channel, data)
DAQmxGetAIFreqUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2218
DAQmxSetAIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIFreqUnits
DAQmxSetAIFreqUnits.restype = int32
# DAQmxSetAIFreqUnits(taskHandle, channel, data)
DAQmxSetAIFreqUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2219
DAQmxResetAIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIFreqUnits
DAQmxResetAIFreqUnits.restype = int32
# DAQmxResetAIFreqUnits(taskHandle, channel)
DAQmxResetAIFreqUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2221
DAQmxGetAIFreqThreshVoltage = _stdcall_libraries['nicaiu'].DAQmxGetAIFreqThreshVoltage
DAQmxGetAIFreqThreshVoltage.restype = int32
# DAQmxGetAIFreqThreshVoltage(taskHandle, channel, data)
DAQmxGetAIFreqThreshVoltage.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2222
DAQmxSetAIFreqThreshVoltage = _stdcall_libraries['nicaiu'].DAQmxSetAIFreqThreshVoltage
DAQmxSetAIFreqThreshVoltage.restype = int32
# DAQmxSetAIFreqThreshVoltage(taskHandle, channel, data)
DAQmxSetAIFreqThreshVoltage.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2223
DAQmxResetAIFreqThreshVoltage = _stdcall_libraries['nicaiu'].DAQmxResetAIFreqThreshVoltage
DAQmxResetAIFreqThreshVoltage.restype = int32
# DAQmxResetAIFreqThreshVoltage(taskHandle, channel)
DAQmxResetAIFreqThreshVoltage.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2225
DAQmxGetAIFreqHyst = _stdcall_libraries['nicaiu'].DAQmxGetAIFreqHyst
DAQmxGetAIFreqHyst.restype = int32
# DAQmxGetAIFreqHyst(taskHandle, channel, data)
DAQmxGetAIFreqHyst.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2226
DAQmxSetAIFreqHyst = _stdcall_libraries['nicaiu'].DAQmxSetAIFreqHyst
DAQmxSetAIFreqHyst.restype = int32
# DAQmxSetAIFreqHyst(taskHandle, channel, data)
DAQmxSetAIFreqHyst.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2227
DAQmxResetAIFreqHyst = _stdcall_libraries['nicaiu'].DAQmxResetAIFreqHyst
DAQmxResetAIFreqHyst.restype = int32
# DAQmxResetAIFreqHyst(taskHandle, channel)
DAQmxResetAIFreqHyst.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2230
DAQmxGetAILVDTUnits = _stdcall_libraries['nicaiu'].DAQmxGetAILVDTUnits
DAQmxGetAILVDTUnits.restype = int32
# DAQmxGetAILVDTUnits(taskHandle, channel, data)
DAQmxGetAILVDTUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2231
DAQmxSetAILVDTUnits = _stdcall_libraries['nicaiu'].DAQmxSetAILVDTUnits
DAQmxSetAILVDTUnits.restype = int32
# DAQmxSetAILVDTUnits(taskHandle, channel, data)
DAQmxSetAILVDTUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2232
DAQmxResetAILVDTUnits = _stdcall_libraries['nicaiu'].DAQmxResetAILVDTUnits
DAQmxResetAILVDTUnits.restype = int32
# DAQmxResetAILVDTUnits(taskHandle, channel)
DAQmxResetAILVDTUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2234
DAQmxGetAILVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxGetAILVDTSensitivity
DAQmxGetAILVDTSensitivity.restype = int32
# DAQmxGetAILVDTSensitivity(taskHandle, channel, data)
DAQmxGetAILVDTSensitivity.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2235
DAQmxSetAILVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxSetAILVDTSensitivity
DAQmxSetAILVDTSensitivity.restype = int32
# DAQmxSetAILVDTSensitivity(taskHandle, channel, data)
DAQmxSetAILVDTSensitivity.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2236
DAQmxResetAILVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxResetAILVDTSensitivity
DAQmxResetAILVDTSensitivity.restype = int32
# DAQmxResetAILVDTSensitivity(taskHandle, channel)
DAQmxResetAILVDTSensitivity.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2239
DAQmxGetAILVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxGetAILVDTSensitivityUnits
DAQmxGetAILVDTSensitivityUnits.restype = int32
# DAQmxGetAILVDTSensitivityUnits(taskHandle, channel, data)
DAQmxGetAILVDTSensitivityUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2240
DAQmxSetAILVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxSetAILVDTSensitivityUnits
DAQmxSetAILVDTSensitivityUnits.restype = int32
# DAQmxSetAILVDTSensitivityUnits(taskHandle, channel, data)
DAQmxSetAILVDTSensitivityUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2241
DAQmxResetAILVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxResetAILVDTSensitivityUnits
DAQmxResetAILVDTSensitivityUnits.restype = int32
# DAQmxResetAILVDTSensitivityUnits(taskHandle, channel)
DAQmxResetAILVDTSensitivityUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2244
DAQmxGetAIRVDTUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIRVDTUnits
DAQmxGetAIRVDTUnits.restype = int32
# DAQmxGetAIRVDTUnits(taskHandle, channel, data)
DAQmxGetAIRVDTUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2245
DAQmxSetAIRVDTUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIRVDTUnits
DAQmxSetAIRVDTUnits.restype = int32
# DAQmxSetAIRVDTUnits(taskHandle, channel, data)
DAQmxSetAIRVDTUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2246
DAQmxResetAIRVDTUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIRVDTUnits
DAQmxResetAIRVDTUnits.restype = int32
# DAQmxResetAIRVDTUnits(taskHandle, channel)
DAQmxResetAIRVDTUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2248
DAQmxGetAIRVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxGetAIRVDTSensitivity
DAQmxGetAIRVDTSensitivity.restype = int32
# DAQmxGetAIRVDTSensitivity(taskHandle, channel, data)
DAQmxGetAIRVDTSensitivity.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2249
DAQmxSetAIRVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxSetAIRVDTSensitivity
DAQmxSetAIRVDTSensitivity.restype = int32
# DAQmxSetAIRVDTSensitivity(taskHandle, channel, data)
DAQmxSetAIRVDTSensitivity.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2250
DAQmxResetAIRVDTSensitivity = _stdcall_libraries['nicaiu'].DAQmxResetAIRVDTSensitivity
DAQmxResetAIRVDTSensitivity.restype = int32
# DAQmxResetAIRVDTSensitivity(taskHandle, channel)
DAQmxResetAIRVDTSensitivity.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2253
DAQmxGetAIRVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIRVDTSensitivityUnits
DAQmxGetAIRVDTSensitivityUnits.restype = int32
# DAQmxGetAIRVDTSensitivityUnits(taskHandle, channel, data)
DAQmxGetAIRVDTSensitivityUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2254
DAQmxSetAIRVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIRVDTSensitivityUnits
DAQmxSetAIRVDTSensitivityUnits.restype = int32
# DAQmxSetAIRVDTSensitivityUnits(taskHandle, channel, data)
DAQmxSetAIRVDTSensitivityUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2255
DAQmxResetAIRVDTSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIRVDTSensitivityUnits
DAQmxResetAIRVDTSensitivityUnits.restype = int32
# DAQmxResetAIRVDTSensitivityUnits(taskHandle, channel)
DAQmxResetAIRVDTSensitivityUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2257
DAQmxGetAISoundPressureMaxSoundPressureLvl = _stdcall_libraries['nicaiu'].DAQmxGetAISoundPressureMaxSoundPressureLvl
DAQmxGetAISoundPressureMaxSoundPressureLvl.restype = int32
# DAQmxGetAISoundPressureMaxSoundPressureLvl(taskHandle, channel, data)
DAQmxGetAISoundPressureMaxSoundPressureLvl.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2258
DAQmxSetAISoundPressureMaxSoundPressureLvl = _stdcall_libraries['nicaiu'].DAQmxSetAISoundPressureMaxSoundPressureLvl
DAQmxSetAISoundPressureMaxSoundPressureLvl.restype = int32
# DAQmxSetAISoundPressureMaxSoundPressureLvl(taskHandle, channel, data)
DAQmxSetAISoundPressureMaxSoundPressureLvl.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2259
DAQmxResetAISoundPressureMaxSoundPressureLvl = _stdcall_libraries['nicaiu'].DAQmxResetAISoundPressureMaxSoundPressureLvl
DAQmxResetAISoundPressureMaxSoundPressureLvl.restype = int32
# DAQmxResetAISoundPressureMaxSoundPressureLvl(taskHandle, channel)
DAQmxResetAISoundPressureMaxSoundPressureLvl.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2262
DAQmxGetAISoundPressureUnits = _stdcall_libraries['nicaiu'].DAQmxGetAISoundPressureUnits
DAQmxGetAISoundPressureUnits.restype = int32
# DAQmxGetAISoundPressureUnits(taskHandle, channel, data)
DAQmxGetAISoundPressureUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2263
DAQmxSetAISoundPressureUnits = _stdcall_libraries['nicaiu'].DAQmxSetAISoundPressureUnits
DAQmxSetAISoundPressureUnits.restype = int32
# DAQmxSetAISoundPressureUnits(taskHandle, channel, data)
DAQmxSetAISoundPressureUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2264
DAQmxResetAISoundPressureUnits = _stdcall_libraries['nicaiu'].DAQmxResetAISoundPressureUnits
DAQmxResetAISoundPressureUnits.restype = int32
# DAQmxResetAISoundPressureUnits(taskHandle, channel)
DAQmxResetAISoundPressureUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2266
DAQmxGetAIMicrophoneSensitivity = _stdcall_libraries['nicaiu'].DAQmxGetAIMicrophoneSensitivity
DAQmxGetAIMicrophoneSensitivity.restype = int32
# DAQmxGetAIMicrophoneSensitivity(taskHandle, channel, data)
DAQmxGetAIMicrophoneSensitivity.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2267
DAQmxSetAIMicrophoneSensitivity = _stdcall_libraries['nicaiu'].DAQmxSetAIMicrophoneSensitivity
DAQmxSetAIMicrophoneSensitivity.restype = int32
# DAQmxSetAIMicrophoneSensitivity(taskHandle, channel, data)
DAQmxSetAIMicrophoneSensitivity.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2268
DAQmxResetAIMicrophoneSensitivity = _stdcall_libraries['nicaiu'].DAQmxResetAIMicrophoneSensitivity
DAQmxResetAIMicrophoneSensitivity.restype = int32
# DAQmxResetAIMicrophoneSensitivity(taskHandle, channel)
DAQmxResetAIMicrophoneSensitivity.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2271
DAQmxGetAIAccelUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIAccelUnits
DAQmxGetAIAccelUnits.restype = int32
# DAQmxGetAIAccelUnits(taskHandle, channel, data)
DAQmxGetAIAccelUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2272
DAQmxSetAIAccelUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIAccelUnits
DAQmxSetAIAccelUnits.restype = int32
# DAQmxSetAIAccelUnits(taskHandle, channel, data)
DAQmxSetAIAccelUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2273
DAQmxResetAIAccelUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIAccelUnits
DAQmxResetAIAccelUnits.restype = int32
# DAQmxResetAIAccelUnits(taskHandle, channel)
DAQmxResetAIAccelUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2275
DAQmxGetAIAccelSensitivity = _stdcall_libraries['nicaiu'].DAQmxGetAIAccelSensitivity
DAQmxGetAIAccelSensitivity.restype = int32
# DAQmxGetAIAccelSensitivity(taskHandle, channel, data)
DAQmxGetAIAccelSensitivity.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2276
DAQmxSetAIAccelSensitivity = _stdcall_libraries['nicaiu'].DAQmxSetAIAccelSensitivity
DAQmxSetAIAccelSensitivity.restype = int32
# DAQmxSetAIAccelSensitivity(taskHandle, channel, data)
DAQmxSetAIAccelSensitivity.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2277
DAQmxResetAIAccelSensitivity = _stdcall_libraries['nicaiu'].DAQmxResetAIAccelSensitivity
DAQmxResetAIAccelSensitivity.restype = int32
# DAQmxResetAIAccelSensitivity(taskHandle, channel)
DAQmxResetAIAccelSensitivity.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2280
DAQmxGetAIAccelSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIAccelSensitivityUnits
DAQmxGetAIAccelSensitivityUnits.restype = int32
# DAQmxGetAIAccelSensitivityUnits(taskHandle, channel, data)
DAQmxGetAIAccelSensitivityUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2281
DAQmxSetAIAccelSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxSetAIAccelSensitivityUnits
DAQmxSetAIAccelSensitivityUnits.restype = int32
# DAQmxSetAIAccelSensitivityUnits(taskHandle, channel, data)
DAQmxSetAIAccelSensitivityUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2282
DAQmxResetAIAccelSensitivityUnits = _stdcall_libraries['nicaiu'].DAQmxResetAIAccelSensitivityUnits
DAQmxResetAIAccelSensitivityUnits.restype = int32
# DAQmxResetAIAccelSensitivityUnits(taskHandle, channel)
DAQmxResetAIAccelSensitivityUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2284
DAQmxGetAITEDSUnits = _stdcall_libraries['nicaiu'].DAQmxGetAITEDSUnits
DAQmxGetAITEDSUnits.restype = int32
# DAQmxGetAITEDSUnits(taskHandle, channel, data, bufferSize)
DAQmxGetAITEDSUnits.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2287
DAQmxGetAICoupling = _stdcall_libraries['nicaiu'].DAQmxGetAICoupling
DAQmxGetAICoupling.restype = int32
# DAQmxGetAICoupling(taskHandle, channel, data)
DAQmxGetAICoupling.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2288
DAQmxSetAICoupling = _stdcall_libraries['nicaiu'].DAQmxSetAICoupling
DAQmxSetAICoupling.restype = int32
# DAQmxSetAICoupling(taskHandle, channel, data)
DAQmxSetAICoupling.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2289
DAQmxResetAICoupling = _stdcall_libraries['nicaiu'].DAQmxResetAICoupling
DAQmxResetAICoupling.restype = int32
# DAQmxResetAICoupling(taskHandle, channel)
DAQmxResetAICoupling.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2292
DAQmxGetAIImpedance = _stdcall_libraries['nicaiu'].DAQmxGetAIImpedance
DAQmxGetAIImpedance.restype = int32
# DAQmxGetAIImpedance(taskHandle, channel, data)
DAQmxGetAIImpedance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2293
DAQmxSetAIImpedance = _stdcall_libraries['nicaiu'].DAQmxSetAIImpedance
DAQmxSetAIImpedance.restype = int32
# DAQmxSetAIImpedance(taskHandle, channel, data)
DAQmxSetAIImpedance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2294
DAQmxResetAIImpedance = _stdcall_libraries['nicaiu'].DAQmxResetAIImpedance
DAQmxResetAIImpedance.restype = int32
# DAQmxResetAIImpedance(taskHandle, channel)
DAQmxResetAIImpedance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2297
DAQmxGetAITermCfg = _stdcall_libraries['nicaiu'].DAQmxGetAITermCfg
DAQmxGetAITermCfg.restype = int32
# DAQmxGetAITermCfg(taskHandle, channel, data)
DAQmxGetAITermCfg.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2298
DAQmxSetAITermCfg = _stdcall_libraries['nicaiu'].DAQmxSetAITermCfg
DAQmxSetAITermCfg.restype = int32
# DAQmxSetAITermCfg(taskHandle, channel, data)
DAQmxSetAITermCfg.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2299
DAQmxResetAITermCfg = _stdcall_libraries['nicaiu'].DAQmxResetAITermCfg
DAQmxResetAITermCfg.restype = int32
# DAQmxResetAITermCfg(taskHandle, channel)
DAQmxResetAITermCfg.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2301
DAQmxGetAIInputSrc = _stdcall_libraries['nicaiu'].DAQmxGetAIInputSrc
DAQmxGetAIInputSrc.restype = int32
# DAQmxGetAIInputSrc(taskHandle, channel, data, bufferSize)
DAQmxGetAIInputSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2302
DAQmxSetAIInputSrc = _stdcall_libraries['nicaiu'].DAQmxSetAIInputSrc
DAQmxSetAIInputSrc.restype = int32
# DAQmxSetAIInputSrc(taskHandle, channel, data)
DAQmxSetAIInputSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2303
DAQmxResetAIInputSrc = _stdcall_libraries['nicaiu'].DAQmxResetAIInputSrc
DAQmxResetAIInputSrc.restype = int32
# DAQmxResetAIInputSrc(taskHandle, channel)
DAQmxResetAIInputSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2306
DAQmxGetAIResistanceCfg = _stdcall_libraries['nicaiu'].DAQmxGetAIResistanceCfg
DAQmxGetAIResistanceCfg.restype = int32
# DAQmxGetAIResistanceCfg(taskHandle, channel, data)
DAQmxGetAIResistanceCfg.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2307
DAQmxSetAIResistanceCfg = _stdcall_libraries['nicaiu'].DAQmxSetAIResistanceCfg
DAQmxSetAIResistanceCfg.restype = int32
# DAQmxSetAIResistanceCfg(taskHandle, channel, data)
DAQmxSetAIResistanceCfg.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2308
DAQmxResetAIResistanceCfg = _stdcall_libraries['nicaiu'].DAQmxResetAIResistanceCfg
DAQmxResetAIResistanceCfg.restype = int32
# DAQmxResetAIResistanceCfg(taskHandle, channel)
DAQmxResetAIResistanceCfg.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2310
DAQmxGetAILeadWireResistance = _stdcall_libraries['nicaiu'].DAQmxGetAILeadWireResistance
DAQmxGetAILeadWireResistance.restype = int32
# DAQmxGetAILeadWireResistance(taskHandle, channel, data)
DAQmxGetAILeadWireResistance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2311
DAQmxSetAILeadWireResistance = _stdcall_libraries['nicaiu'].DAQmxSetAILeadWireResistance
DAQmxSetAILeadWireResistance.restype = int32
# DAQmxSetAILeadWireResistance(taskHandle, channel, data)
DAQmxSetAILeadWireResistance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2312
DAQmxResetAILeadWireResistance = _stdcall_libraries['nicaiu'].DAQmxResetAILeadWireResistance
DAQmxResetAILeadWireResistance.restype = int32
# DAQmxResetAILeadWireResistance(taskHandle, channel)
DAQmxResetAILeadWireResistance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2315
DAQmxGetAIBridgeCfg = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeCfg
DAQmxGetAIBridgeCfg.restype = int32
# DAQmxGetAIBridgeCfg(taskHandle, channel, data)
DAQmxGetAIBridgeCfg.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2316
DAQmxSetAIBridgeCfg = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeCfg
DAQmxSetAIBridgeCfg.restype = int32
# DAQmxSetAIBridgeCfg(taskHandle, channel, data)
DAQmxSetAIBridgeCfg.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2317
DAQmxResetAIBridgeCfg = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeCfg
DAQmxResetAIBridgeCfg.restype = int32
# DAQmxResetAIBridgeCfg(taskHandle, channel)
DAQmxResetAIBridgeCfg.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2319
DAQmxGetAIBridgeNomResistance = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeNomResistance
DAQmxGetAIBridgeNomResistance.restype = int32
# DAQmxGetAIBridgeNomResistance(taskHandle, channel, data)
DAQmxGetAIBridgeNomResistance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2320
DAQmxSetAIBridgeNomResistance = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeNomResistance
DAQmxSetAIBridgeNomResistance.restype = int32
# DAQmxSetAIBridgeNomResistance(taskHandle, channel, data)
DAQmxSetAIBridgeNomResistance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2321
DAQmxResetAIBridgeNomResistance = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeNomResistance
DAQmxResetAIBridgeNomResistance.restype = int32
# DAQmxResetAIBridgeNomResistance(taskHandle, channel)
DAQmxResetAIBridgeNomResistance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2323
DAQmxGetAIBridgeInitialVoltage = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeInitialVoltage
DAQmxGetAIBridgeInitialVoltage.restype = int32
# DAQmxGetAIBridgeInitialVoltage(taskHandle, channel, data)
DAQmxGetAIBridgeInitialVoltage.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2324
DAQmxSetAIBridgeInitialVoltage = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeInitialVoltage
DAQmxSetAIBridgeInitialVoltage.restype = int32
# DAQmxSetAIBridgeInitialVoltage(taskHandle, channel, data)
DAQmxSetAIBridgeInitialVoltage.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2325
DAQmxResetAIBridgeInitialVoltage = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeInitialVoltage
DAQmxResetAIBridgeInitialVoltage.restype = int32
# DAQmxResetAIBridgeInitialVoltage(taskHandle, channel)
DAQmxResetAIBridgeInitialVoltage.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2327
DAQmxGetAIBridgeShuntCalEnable = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeShuntCalEnable
DAQmxGetAIBridgeShuntCalEnable.restype = int32
# DAQmxGetAIBridgeShuntCalEnable(taskHandle, channel, data)
DAQmxGetAIBridgeShuntCalEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2328
DAQmxSetAIBridgeShuntCalEnable = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeShuntCalEnable
DAQmxSetAIBridgeShuntCalEnable.restype = int32
# DAQmxSetAIBridgeShuntCalEnable(taskHandle, channel, data)
DAQmxSetAIBridgeShuntCalEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2329
DAQmxResetAIBridgeShuntCalEnable = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeShuntCalEnable
DAQmxResetAIBridgeShuntCalEnable.restype = int32
# DAQmxResetAIBridgeShuntCalEnable(taskHandle, channel)
DAQmxResetAIBridgeShuntCalEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2332
DAQmxGetAIBridgeShuntCalSelect = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeShuntCalSelect
DAQmxGetAIBridgeShuntCalSelect.restype = int32
# DAQmxGetAIBridgeShuntCalSelect(taskHandle, channel, data)
DAQmxGetAIBridgeShuntCalSelect.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2333
DAQmxSetAIBridgeShuntCalSelect = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeShuntCalSelect
DAQmxSetAIBridgeShuntCalSelect.restype = int32
# DAQmxSetAIBridgeShuntCalSelect(taskHandle, channel, data)
DAQmxSetAIBridgeShuntCalSelect.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2334
DAQmxResetAIBridgeShuntCalSelect = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeShuntCalSelect
DAQmxResetAIBridgeShuntCalSelect.restype = int32
# DAQmxResetAIBridgeShuntCalSelect(taskHandle, channel)
DAQmxResetAIBridgeShuntCalSelect.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2336
DAQmxGetAIBridgeShuntCalGainAdjust = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeShuntCalGainAdjust
DAQmxGetAIBridgeShuntCalGainAdjust.restype = int32
# DAQmxGetAIBridgeShuntCalGainAdjust(taskHandle, channel, data)
DAQmxGetAIBridgeShuntCalGainAdjust.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2337
DAQmxSetAIBridgeShuntCalGainAdjust = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeShuntCalGainAdjust
DAQmxSetAIBridgeShuntCalGainAdjust.restype = int32
# DAQmxSetAIBridgeShuntCalGainAdjust(taskHandle, channel, data)
DAQmxSetAIBridgeShuntCalGainAdjust.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2338
DAQmxResetAIBridgeShuntCalGainAdjust = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeShuntCalGainAdjust
DAQmxResetAIBridgeShuntCalGainAdjust.restype = int32
# DAQmxResetAIBridgeShuntCalGainAdjust(taskHandle, channel)
DAQmxResetAIBridgeShuntCalGainAdjust.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2340
DAQmxGetAIBridgeBalanceCoarsePot = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeBalanceCoarsePot
DAQmxGetAIBridgeBalanceCoarsePot.restype = int32
# DAQmxGetAIBridgeBalanceCoarsePot(taskHandle, channel, data)
DAQmxGetAIBridgeBalanceCoarsePot.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2341
DAQmxSetAIBridgeBalanceCoarsePot = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeBalanceCoarsePot
DAQmxSetAIBridgeBalanceCoarsePot.restype = int32
# DAQmxSetAIBridgeBalanceCoarsePot(taskHandle, channel, data)
DAQmxSetAIBridgeBalanceCoarsePot.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2342
DAQmxResetAIBridgeBalanceCoarsePot = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeBalanceCoarsePot
DAQmxResetAIBridgeBalanceCoarsePot.restype = int32
# DAQmxResetAIBridgeBalanceCoarsePot(taskHandle, channel)
DAQmxResetAIBridgeBalanceCoarsePot.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2344
DAQmxGetAIBridgeBalanceFinePot = _stdcall_libraries['nicaiu'].DAQmxGetAIBridgeBalanceFinePot
DAQmxGetAIBridgeBalanceFinePot.restype = int32
# DAQmxGetAIBridgeBalanceFinePot(taskHandle, channel, data)
DAQmxGetAIBridgeBalanceFinePot.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2345
DAQmxSetAIBridgeBalanceFinePot = _stdcall_libraries['nicaiu'].DAQmxSetAIBridgeBalanceFinePot
DAQmxSetAIBridgeBalanceFinePot.restype = int32
# DAQmxSetAIBridgeBalanceFinePot(taskHandle, channel, data)
DAQmxSetAIBridgeBalanceFinePot.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2346
DAQmxResetAIBridgeBalanceFinePot = _stdcall_libraries['nicaiu'].DAQmxResetAIBridgeBalanceFinePot
DAQmxResetAIBridgeBalanceFinePot.restype = int32
# DAQmxResetAIBridgeBalanceFinePot(taskHandle, channel)
DAQmxResetAIBridgeBalanceFinePot.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2349
DAQmxGetAICurrentShuntLoc = _stdcall_libraries['nicaiu'].DAQmxGetAICurrentShuntLoc
DAQmxGetAICurrentShuntLoc.restype = int32
# DAQmxGetAICurrentShuntLoc(taskHandle, channel, data)
DAQmxGetAICurrentShuntLoc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2350
DAQmxSetAICurrentShuntLoc = _stdcall_libraries['nicaiu'].DAQmxSetAICurrentShuntLoc
DAQmxSetAICurrentShuntLoc.restype = int32
# DAQmxSetAICurrentShuntLoc(taskHandle, channel, data)
DAQmxSetAICurrentShuntLoc.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2351
DAQmxResetAICurrentShuntLoc = _stdcall_libraries['nicaiu'].DAQmxResetAICurrentShuntLoc
DAQmxResetAICurrentShuntLoc.restype = int32
# DAQmxResetAICurrentShuntLoc(taskHandle, channel)
DAQmxResetAICurrentShuntLoc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2353
DAQmxGetAICurrentShuntResistance = _stdcall_libraries['nicaiu'].DAQmxGetAICurrentShuntResistance
DAQmxGetAICurrentShuntResistance.restype = int32
# DAQmxGetAICurrentShuntResistance(taskHandle, channel, data)
DAQmxGetAICurrentShuntResistance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2354
DAQmxSetAICurrentShuntResistance = _stdcall_libraries['nicaiu'].DAQmxSetAICurrentShuntResistance
DAQmxSetAICurrentShuntResistance.restype = int32
# DAQmxSetAICurrentShuntResistance(taskHandle, channel, data)
DAQmxSetAICurrentShuntResistance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2355
DAQmxResetAICurrentShuntResistance = _stdcall_libraries['nicaiu'].DAQmxResetAICurrentShuntResistance
DAQmxResetAICurrentShuntResistance.restype = int32
# DAQmxResetAICurrentShuntResistance(taskHandle, channel)
DAQmxResetAICurrentShuntResistance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2358
DAQmxGetAIExcitSrc = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitSrc
DAQmxGetAIExcitSrc.restype = int32
# DAQmxGetAIExcitSrc(taskHandle, channel, data)
DAQmxGetAIExcitSrc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2359
DAQmxSetAIExcitSrc = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitSrc
DAQmxSetAIExcitSrc.restype = int32
# DAQmxSetAIExcitSrc(taskHandle, channel, data)
DAQmxSetAIExcitSrc.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2360
DAQmxResetAIExcitSrc = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitSrc
DAQmxResetAIExcitSrc.restype = int32
# DAQmxResetAIExcitSrc(taskHandle, channel)
DAQmxResetAIExcitSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2362
DAQmxGetAIExcitVal = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitVal
DAQmxGetAIExcitVal.restype = int32
# DAQmxGetAIExcitVal(taskHandle, channel, data)
DAQmxGetAIExcitVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2363
DAQmxSetAIExcitVal = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitVal
DAQmxSetAIExcitVal.restype = int32
# DAQmxSetAIExcitVal(taskHandle, channel, data)
DAQmxSetAIExcitVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2364
DAQmxResetAIExcitVal = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitVal
DAQmxResetAIExcitVal.restype = int32
# DAQmxResetAIExcitVal(taskHandle, channel)
DAQmxResetAIExcitVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2366
DAQmxGetAIExcitUseForScaling = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitUseForScaling
DAQmxGetAIExcitUseForScaling.restype = int32
# DAQmxGetAIExcitUseForScaling(taskHandle, channel, data)
DAQmxGetAIExcitUseForScaling.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2367
DAQmxSetAIExcitUseForScaling = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitUseForScaling
DAQmxSetAIExcitUseForScaling.restype = int32
# DAQmxSetAIExcitUseForScaling(taskHandle, channel, data)
DAQmxSetAIExcitUseForScaling.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2368
DAQmxResetAIExcitUseForScaling = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitUseForScaling
DAQmxResetAIExcitUseForScaling.restype = int32
# DAQmxResetAIExcitUseForScaling(taskHandle, channel)
DAQmxResetAIExcitUseForScaling.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2370
DAQmxGetAIExcitUseMultiplexed = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitUseMultiplexed
DAQmxGetAIExcitUseMultiplexed.restype = int32
# DAQmxGetAIExcitUseMultiplexed(taskHandle, channel, data)
DAQmxGetAIExcitUseMultiplexed.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2371
DAQmxSetAIExcitUseMultiplexed = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitUseMultiplexed
DAQmxSetAIExcitUseMultiplexed.restype = int32
# DAQmxSetAIExcitUseMultiplexed(taskHandle, channel, data)
DAQmxSetAIExcitUseMultiplexed.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2372
DAQmxResetAIExcitUseMultiplexed = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitUseMultiplexed
DAQmxResetAIExcitUseMultiplexed.restype = int32
# DAQmxResetAIExcitUseMultiplexed(taskHandle, channel)
DAQmxResetAIExcitUseMultiplexed.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2374
DAQmxGetAIExcitActualVal = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitActualVal
DAQmxGetAIExcitActualVal.restype = int32
# DAQmxGetAIExcitActualVal(taskHandle, channel, data)
DAQmxGetAIExcitActualVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2375
DAQmxSetAIExcitActualVal = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitActualVal
DAQmxSetAIExcitActualVal.restype = int32
# DAQmxSetAIExcitActualVal(taskHandle, channel, data)
DAQmxSetAIExcitActualVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2376
DAQmxResetAIExcitActualVal = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitActualVal
DAQmxResetAIExcitActualVal.restype = int32
# DAQmxResetAIExcitActualVal(taskHandle, channel)
DAQmxResetAIExcitActualVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2379
DAQmxGetAIExcitDCorAC = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitDCorAC
DAQmxGetAIExcitDCorAC.restype = int32
# DAQmxGetAIExcitDCorAC(taskHandle, channel, data)
DAQmxGetAIExcitDCorAC.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2380
DAQmxSetAIExcitDCorAC = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitDCorAC
DAQmxSetAIExcitDCorAC.restype = int32
# DAQmxSetAIExcitDCorAC(taskHandle, channel, data)
DAQmxSetAIExcitDCorAC.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2381
DAQmxResetAIExcitDCorAC = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitDCorAC
DAQmxResetAIExcitDCorAC.restype = int32
# DAQmxResetAIExcitDCorAC(taskHandle, channel)
DAQmxResetAIExcitDCorAC.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2384
DAQmxGetAIExcitVoltageOrCurrent = _stdcall_libraries['nicaiu'].DAQmxGetAIExcitVoltageOrCurrent
DAQmxGetAIExcitVoltageOrCurrent.restype = int32
# DAQmxGetAIExcitVoltageOrCurrent(taskHandle, channel, data)
DAQmxGetAIExcitVoltageOrCurrent.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2385
DAQmxSetAIExcitVoltageOrCurrent = _stdcall_libraries['nicaiu'].DAQmxSetAIExcitVoltageOrCurrent
DAQmxSetAIExcitVoltageOrCurrent.restype = int32
# DAQmxSetAIExcitVoltageOrCurrent(taskHandle, channel, data)
DAQmxSetAIExcitVoltageOrCurrent.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2386
DAQmxResetAIExcitVoltageOrCurrent = _stdcall_libraries['nicaiu'].DAQmxResetAIExcitVoltageOrCurrent
DAQmxResetAIExcitVoltageOrCurrent.restype = int32
# DAQmxResetAIExcitVoltageOrCurrent(taskHandle, channel)
DAQmxResetAIExcitVoltageOrCurrent.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2388
DAQmxGetAIACExcitFreq = _stdcall_libraries['nicaiu'].DAQmxGetAIACExcitFreq
DAQmxGetAIACExcitFreq.restype = int32
# DAQmxGetAIACExcitFreq(taskHandle, channel, data)
DAQmxGetAIACExcitFreq.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2389
DAQmxSetAIACExcitFreq = _stdcall_libraries['nicaiu'].DAQmxSetAIACExcitFreq
DAQmxSetAIACExcitFreq.restype = int32
# DAQmxSetAIACExcitFreq(taskHandle, channel, data)
DAQmxSetAIACExcitFreq.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2390
DAQmxResetAIACExcitFreq = _stdcall_libraries['nicaiu'].DAQmxResetAIACExcitFreq
DAQmxResetAIACExcitFreq.restype = int32
# DAQmxResetAIACExcitFreq(taskHandle, channel)
DAQmxResetAIACExcitFreq.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2392
DAQmxGetAIACExcitSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetAIACExcitSyncEnable
DAQmxGetAIACExcitSyncEnable.restype = int32
# DAQmxGetAIACExcitSyncEnable(taskHandle, channel, data)
DAQmxGetAIACExcitSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2393
DAQmxSetAIACExcitSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetAIACExcitSyncEnable
DAQmxSetAIACExcitSyncEnable.restype = int32
# DAQmxSetAIACExcitSyncEnable(taskHandle, channel, data)
DAQmxSetAIACExcitSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2394
DAQmxResetAIACExcitSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetAIACExcitSyncEnable
DAQmxResetAIACExcitSyncEnable.restype = int32
# DAQmxResetAIACExcitSyncEnable(taskHandle, channel)
DAQmxResetAIACExcitSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2397
DAQmxGetAIACExcitWireMode = _stdcall_libraries['nicaiu'].DAQmxGetAIACExcitWireMode
DAQmxGetAIACExcitWireMode.restype = int32
# DAQmxGetAIACExcitWireMode(taskHandle, channel, data)
DAQmxGetAIACExcitWireMode.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2398
DAQmxSetAIACExcitWireMode = _stdcall_libraries['nicaiu'].DAQmxSetAIACExcitWireMode
DAQmxSetAIACExcitWireMode.restype = int32
# DAQmxSetAIACExcitWireMode(taskHandle, channel, data)
DAQmxSetAIACExcitWireMode.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2399
DAQmxResetAIACExcitWireMode = _stdcall_libraries['nicaiu'].DAQmxResetAIACExcitWireMode
DAQmxResetAIACExcitWireMode.restype = int32
# DAQmxResetAIACExcitWireMode(taskHandle, channel)
DAQmxResetAIACExcitWireMode.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2401
DAQmxGetAIAtten = _stdcall_libraries['nicaiu'].DAQmxGetAIAtten
DAQmxGetAIAtten.restype = int32
# DAQmxGetAIAtten(taskHandle, channel, data)
DAQmxGetAIAtten.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2402
DAQmxSetAIAtten = _stdcall_libraries['nicaiu'].DAQmxSetAIAtten
DAQmxSetAIAtten.restype = int32
# DAQmxSetAIAtten(taskHandle, channel, data)
DAQmxSetAIAtten.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2403
DAQmxResetAIAtten = _stdcall_libraries['nicaiu'].DAQmxResetAIAtten
DAQmxResetAIAtten.restype = int32
# DAQmxResetAIAtten(taskHandle, channel)
DAQmxResetAIAtten.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2405
DAQmxGetAILowpassEnable = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassEnable
DAQmxGetAILowpassEnable.restype = int32
# DAQmxGetAILowpassEnable(taskHandle, channel, data)
DAQmxGetAILowpassEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2406
DAQmxSetAILowpassEnable = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassEnable
DAQmxSetAILowpassEnable.restype = int32
# DAQmxSetAILowpassEnable(taskHandle, channel, data)
DAQmxSetAILowpassEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2407
DAQmxResetAILowpassEnable = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassEnable
DAQmxResetAILowpassEnable.restype = int32
# DAQmxResetAILowpassEnable(taskHandle, channel)
DAQmxResetAILowpassEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2409
DAQmxGetAILowpassCutoffFreq = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassCutoffFreq
DAQmxGetAILowpassCutoffFreq.restype = int32
# DAQmxGetAILowpassCutoffFreq(taskHandle, channel, data)
DAQmxGetAILowpassCutoffFreq.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2410
DAQmxSetAILowpassCutoffFreq = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassCutoffFreq
DAQmxSetAILowpassCutoffFreq.restype = int32
# DAQmxSetAILowpassCutoffFreq(taskHandle, channel, data)
DAQmxSetAILowpassCutoffFreq.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2411
DAQmxResetAILowpassCutoffFreq = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassCutoffFreq
DAQmxResetAILowpassCutoffFreq.restype = int32
# DAQmxResetAILowpassCutoffFreq(taskHandle, channel)
DAQmxResetAILowpassCutoffFreq.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2414
DAQmxGetAILowpassSwitchCapClkSrc = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassSwitchCapClkSrc
DAQmxGetAILowpassSwitchCapClkSrc.restype = int32
# DAQmxGetAILowpassSwitchCapClkSrc(taskHandle, channel, data)
DAQmxGetAILowpassSwitchCapClkSrc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2415
DAQmxSetAILowpassSwitchCapClkSrc = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassSwitchCapClkSrc
DAQmxSetAILowpassSwitchCapClkSrc.restype = int32
# DAQmxSetAILowpassSwitchCapClkSrc(taskHandle, channel, data)
DAQmxSetAILowpassSwitchCapClkSrc.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2416
DAQmxResetAILowpassSwitchCapClkSrc = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassSwitchCapClkSrc
DAQmxResetAILowpassSwitchCapClkSrc.restype = int32
# DAQmxResetAILowpassSwitchCapClkSrc(taskHandle, channel)
DAQmxResetAILowpassSwitchCapClkSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2418
DAQmxGetAILowpassSwitchCapExtClkFreq = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassSwitchCapExtClkFreq
DAQmxGetAILowpassSwitchCapExtClkFreq.restype = int32
# DAQmxGetAILowpassSwitchCapExtClkFreq(taskHandle, channel, data)
DAQmxGetAILowpassSwitchCapExtClkFreq.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2419
DAQmxSetAILowpassSwitchCapExtClkFreq = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassSwitchCapExtClkFreq
DAQmxSetAILowpassSwitchCapExtClkFreq.restype = int32
# DAQmxSetAILowpassSwitchCapExtClkFreq(taskHandle, channel, data)
DAQmxSetAILowpassSwitchCapExtClkFreq.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2420
DAQmxResetAILowpassSwitchCapExtClkFreq = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassSwitchCapExtClkFreq
DAQmxResetAILowpassSwitchCapExtClkFreq.restype = int32
# DAQmxResetAILowpassSwitchCapExtClkFreq(taskHandle, channel)
DAQmxResetAILowpassSwitchCapExtClkFreq.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2422
DAQmxGetAILowpassSwitchCapExtClkDiv = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassSwitchCapExtClkDiv
DAQmxGetAILowpassSwitchCapExtClkDiv.restype = int32
# DAQmxGetAILowpassSwitchCapExtClkDiv(taskHandle, channel, data)
DAQmxGetAILowpassSwitchCapExtClkDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2423
DAQmxSetAILowpassSwitchCapExtClkDiv = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassSwitchCapExtClkDiv
DAQmxSetAILowpassSwitchCapExtClkDiv.restype = int32
# DAQmxSetAILowpassSwitchCapExtClkDiv(taskHandle, channel, data)
DAQmxSetAILowpassSwitchCapExtClkDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2424
DAQmxResetAILowpassSwitchCapExtClkDiv = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassSwitchCapExtClkDiv
DAQmxResetAILowpassSwitchCapExtClkDiv.restype = int32
# DAQmxResetAILowpassSwitchCapExtClkDiv(taskHandle, channel)
DAQmxResetAILowpassSwitchCapExtClkDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2426
DAQmxGetAILowpassSwitchCapOutClkDiv = _stdcall_libraries['nicaiu'].DAQmxGetAILowpassSwitchCapOutClkDiv
DAQmxGetAILowpassSwitchCapOutClkDiv.restype = int32
# DAQmxGetAILowpassSwitchCapOutClkDiv(taskHandle, channel, data)
DAQmxGetAILowpassSwitchCapOutClkDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2427
DAQmxSetAILowpassSwitchCapOutClkDiv = _stdcall_libraries['nicaiu'].DAQmxSetAILowpassSwitchCapOutClkDiv
DAQmxSetAILowpassSwitchCapOutClkDiv.restype = int32
# DAQmxSetAILowpassSwitchCapOutClkDiv(taskHandle, channel, data)
DAQmxSetAILowpassSwitchCapOutClkDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2428
DAQmxResetAILowpassSwitchCapOutClkDiv = _stdcall_libraries['nicaiu'].DAQmxResetAILowpassSwitchCapOutClkDiv
DAQmxResetAILowpassSwitchCapOutClkDiv.restype = int32
# DAQmxResetAILowpassSwitchCapOutClkDiv(taskHandle, channel)
DAQmxResetAILowpassSwitchCapOutClkDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2431
DAQmxGetAIResolutionUnits = _stdcall_libraries['nicaiu'].DAQmxGetAIResolutionUnits
DAQmxGetAIResolutionUnits.restype = int32
# DAQmxGetAIResolutionUnits(taskHandle, channel, data)
DAQmxGetAIResolutionUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2433
DAQmxGetAIResolution = _stdcall_libraries['nicaiu'].DAQmxGetAIResolution
DAQmxGetAIResolution.restype = int32
# DAQmxGetAIResolution(taskHandle, channel, data)
DAQmxGetAIResolution.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2435
DAQmxGetAIRawSampSize = _stdcall_libraries['nicaiu'].DAQmxGetAIRawSampSize
DAQmxGetAIRawSampSize.restype = int32
# DAQmxGetAIRawSampSize(taskHandle, channel, data)
DAQmxGetAIRawSampSize.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2438
DAQmxGetAIRawSampJustification = _stdcall_libraries['nicaiu'].DAQmxGetAIRawSampJustification
DAQmxGetAIRawSampJustification.restype = int32
# DAQmxGetAIRawSampJustification(taskHandle, channel, data)
DAQmxGetAIRawSampJustification.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2440
DAQmxGetAIDitherEnable = _stdcall_libraries['nicaiu'].DAQmxGetAIDitherEnable
DAQmxGetAIDitherEnable.restype = int32
# DAQmxGetAIDitherEnable(taskHandle, channel, data)
DAQmxGetAIDitherEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2441
DAQmxSetAIDitherEnable = _stdcall_libraries['nicaiu'].DAQmxSetAIDitherEnable
DAQmxSetAIDitherEnable.restype = int32
# DAQmxSetAIDitherEnable(taskHandle, channel, data)
DAQmxSetAIDitherEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2442
DAQmxResetAIDitherEnable = _stdcall_libraries['nicaiu'].DAQmxResetAIDitherEnable
DAQmxResetAIDitherEnable.restype = int32
# DAQmxResetAIDitherEnable(taskHandle, channel)
DAQmxResetAIDitherEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2444
DAQmxGetAIChanCalHasValidCalInfo = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalHasValidCalInfo
DAQmxGetAIChanCalHasValidCalInfo.restype = int32
# DAQmxGetAIChanCalHasValidCalInfo(taskHandle, channel, data)
DAQmxGetAIChanCalHasValidCalInfo.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2446
DAQmxGetAIChanCalEnableCal = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalEnableCal
DAQmxGetAIChanCalEnableCal.restype = int32
# DAQmxGetAIChanCalEnableCal(taskHandle, channel, data)
DAQmxGetAIChanCalEnableCal.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2447
DAQmxSetAIChanCalEnableCal = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalEnableCal
DAQmxSetAIChanCalEnableCal.restype = int32
# DAQmxSetAIChanCalEnableCal(taskHandle, channel, data)
DAQmxSetAIChanCalEnableCal.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2448
DAQmxResetAIChanCalEnableCal = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalEnableCal
DAQmxResetAIChanCalEnableCal.restype = int32
# DAQmxResetAIChanCalEnableCal(taskHandle, channel)
DAQmxResetAIChanCalEnableCal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2450
DAQmxGetAIChanCalApplyCalIfExp = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalApplyCalIfExp
DAQmxGetAIChanCalApplyCalIfExp.restype = int32
# DAQmxGetAIChanCalApplyCalIfExp(taskHandle, channel, data)
DAQmxGetAIChanCalApplyCalIfExp.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2451
DAQmxSetAIChanCalApplyCalIfExp = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalApplyCalIfExp
DAQmxSetAIChanCalApplyCalIfExp.restype = int32
# DAQmxSetAIChanCalApplyCalIfExp(taskHandle, channel, data)
DAQmxSetAIChanCalApplyCalIfExp.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2452
DAQmxResetAIChanCalApplyCalIfExp = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalApplyCalIfExp
DAQmxResetAIChanCalApplyCalIfExp.restype = int32
# DAQmxResetAIChanCalApplyCalIfExp(taskHandle, channel)
DAQmxResetAIChanCalApplyCalIfExp.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2455
DAQmxGetAIChanCalScaleType = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalScaleType
DAQmxGetAIChanCalScaleType.restype = int32
# DAQmxGetAIChanCalScaleType(taskHandle, channel, data)
DAQmxGetAIChanCalScaleType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2456
DAQmxSetAIChanCalScaleType = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalScaleType
DAQmxSetAIChanCalScaleType.restype = int32
# DAQmxSetAIChanCalScaleType(taskHandle, channel, data)
DAQmxSetAIChanCalScaleType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2457
DAQmxResetAIChanCalScaleType = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalScaleType
DAQmxResetAIChanCalScaleType.restype = int32
# DAQmxResetAIChanCalScaleType(taskHandle, channel)
DAQmxResetAIChanCalScaleType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2459
DAQmxGetAIChanCalTablePreScaledVals = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalTablePreScaledVals
DAQmxGetAIChanCalTablePreScaledVals.restype = int32
# DAQmxGetAIChanCalTablePreScaledVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalTablePreScaledVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2460
DAQmxSetAIChanCalTablePreScaledVals = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalTablePreScaledVals
DAQmxSetAIChanCalTablePreScaledVals.restype = int32
# DAQmxSetAIChanCalTablePreScaledVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalTablePreScaledVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2461
DAQmxResetAIChanCalTablePreScaledVals = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalTablePreScaledVals
DAQmxResetAIChanCalTablePreScaledVals.restype = int32
# DAQmxResetAIChanCalTablePreScaledVals(taskHandle, channel)
DAQmxResetAIChanCalTablePreScaledVals.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2463
DAQmxGetAIChanCalTableScaledVals = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalTableScaledVals
DAQmxGetAIChanCalTableScaledVals.restype = int32
# DAQmxGetAIChanCalTableScaledVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalTableScaledVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2464
DAQmxSetAIChanCalTableScaledVals = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalTableScaledVals
DAQmxSetAIChanCalTableScaledVals.restype = int32
# DAQmxSetAIChanCalTableScaledVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalTableScaledVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2465
DAQmxResetAIChanCalTableScaledVals = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalTableScaledVals
DAQmxResetAIChanCalTableScaledVals.restype = int32
# DAQmxResetAIChanCalTableScaledVals(taskHandle, channel)
DAQmxResetAIChanCalTableScaledVals.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2467
DAQmxGetAIChanCalPolyForwardCoeff = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalPolyForwardCoeff
DAQmxGetAIChanCalPolyForwardCoeff.restype = int32
# DAQmxGetAIChanCalPolyForwardCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalPolyForwardCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2468
DAQmxSetAIChanCalPolyForwardCoeff = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalPolyForwardCoeff
DAQmxSetAIChanCalPolyForwardCoeff.restype = int32
# DAQmxSetAIChanCalPolyForwardCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalPolyForwardCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2469
DAQmxResetAIChanCalPolyForwardCoeff = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalPolyForwardCoeff
DAQmxResetAIChanCalPolyForwardCoeff.restype = int32
# DAQmxResetAIChanCalPolyForwardCoeff(taskHandle, channel)
DAQmxResetAIChanCalPolyForwardCoeff.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2471
DAQmxGetAIChanCalPolyReverseCoeff = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalPolyReverseCoeff
DAQmxGetAIChanCalPolyReverseCoeff.restype = int32
# DAQmxGetAIChanCalPolyReverseCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalPolyReverseCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2472
DAQmxSetAIChanCalPolyReverseCoeff = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalPolyReverseCoeff
DAQmxSetAIChanCalPolyReverseCoeff.restype = int32
# DAQmxSetAIChanCalPolyReverseCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalPolyReverseCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2473
DAQmxResetAIChanCalPolyReverseCoeff = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalPolyReverseCoeff
DAQmxResetAIChanCalPolyReverseCoeff.restype = int32
# DAQmxResetAIChanCalPolyReverseCoeff(taskHandle, channel)
DAQmxResetAIChanCalPolyReverseCoeff.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2475
DAQmxGetAIChanCalOperatorName = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalOperatorName
DAQmxGetAIChanCalOperatorName.restype = int32
# DAQmxGetAIChanCalOperatorName(taskHandle, channel, data, bufferSize)
DAQmxGetAIChanCalOperatorName.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2476
DAQmxSetAIChanCalOperatorName = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalOperatorName
DAQmxSetAIChanCalOperatorName.restype = int32
# DAQmxSetAIChanCalOperatorName(taskHandle, channel, data)
DAQmxSetAIChanCalOperatorName.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2477
DAQmxResetAIChanCalOperatorName = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalOperatorName
DAQmxResetAIChanCalOperatorName.restype = int32
# DAQmxResetAIChanCalOperatorName(taskHandle, channel)
DAQmxResetAIChanCalOperatorName.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2479
DAQmxGetAIChanCalDesc = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalDesc
DAQmxGetAIChanCalDesc.restype = int32
# DAQmxGetAIChanCalDesc(taskHandle, channel, data, bufferSize)
DAQmxGetAIChanCalDesc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2480
DAQmxSetAIChanCalDesc = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalDesc
DAQmxSetAIChanCalDesc.restype = int32
# DAQmxSetAIChanCalDesc(taskHandle, channel, data)
DAQmxSetAIChanCalDesc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2481
DAQmxResetAIChanCalDesc = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalDesc
DAQmxResetAIChanCalDesc.restype = int32
# DAQmxResetAIChanCalDesc(taskHandle, channel)
DAQmxResetAIChanCalDesc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2483
DAQmxGetAIChanCalVerifRefVals = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalVerifRefVals
DAQmxGetAIChanCalVerifRefVals.restype = int32
# DAQmxGetAIChanCalVerifRefVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalVerifRefVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2484
DAQmxSetAIChanCalVerifRefVals = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalVerifRefVals
DAQmxSetAIChanCalVerifRefVals.restype = int32
# DAQmxSetAIChanCalVerifRefVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalVerifRefVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2485
DAQmxResetAIChanCalVerifRefVals = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalVerifRefVals
DAQmxResetAIChanCalVerifRefVals.restype = int32
# DAQmxResetAIChanCalVerifRefVals(taskHandle, channel)
DAQmxResetAIChanCalVerifRefVals.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2487
DAQmxGetAIChanCalVerifAcqVals = _stdcall_libraries['nicaiu'].DAQmxGetAIChanCalVerifAcqVals
DAQmxGetAIChanCalVerifAcqVals.restype = int32
# DAQmxGetAIChanCalVerifAcqVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIChanCalVerifAcqVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2488
DAQmxSetAIChanCalVerifAcqVals = _stdcall_libraries['nicaiu'].DAQmxSetAIChanCalVerifAcqVals
DAQmxSetAIChanCalVerifAcqVals.restype = int32
# DAQmxSetAIChanCalVerifAcqVals(taskHandle, channel, data, arraySizeInSamples)
DAQmxSetAIChanCalVerifAcqVals.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2489
DAQmxResetAIChanCalVerifAcqVals = _stdcall_libraries['nicaiu'].DAQmxResetAIChanCalVerifAcqVals
DAQmxResetAIChanCalVerifAcqVals.restype = int32
# DAQmxResetAIChanCalVerifAcqVals(taskHandle, channel)
DAQmxResetAIChanCalVerifAcqVals.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2491
DAQmxGetAIRngHigh = _stdcall_libraries['nicaiu'].DAQmxGetAIRngHigh
DAQmxGetAIRngHigh.restype = int32
# DAQmxGetAIRngHigh(taskHandle, channel, data)
DAQmxGetAIRngHigh.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2492
DAQmxSetAIRngHigh = _stdcall_libraries['nicaiu'].DAQmxSetAIRngHigh
DAQmxSetAIRngHigh.restype = int32
# DAQmxSetAIRngHigh(taskHandle, channel, data)
DAQmxSetAIRngHigh.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2493
DAQmxResetAIRngHigh = _stdcall_libraries['nicaiu'].DAQmxResetAIRngHigh
DAQmxResetAIRngHigh.restype = int32
# DAQmxResetAIRngHigh(taskHandle, channel)
DAQmxResetAIRngHigh.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2495
DAQmxGetAIRngLow = _stdcall_libraries['nicaiu'].DAQmxGetAIRngLow
DAQmxGetAIRngLow.restype = int32
# DAQmxGetAIRngLow(taskHandle, channel, data)
DAQmxGetAIRngLow.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2496
DAQmxSetAIRngLow = _stdcall_libraries['nicaiu'].DAQmxSetAIRngLow
DAQmxSetAIRngLow.restype = int32
# DAQmxSetAIRngLow(taskHandle, channel, data)
DAQmxSetAIRngLow.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2497
DAQmxResetAIRngLow = _stdcall_libraries['nicaiu'].DAQmxResetAIRngLow
DAQmxResetAIRngLow.restype = int32
# DAQmxResetAIRngLow(taskHandle, channel)
DAQmxResetAIRngLow.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2499
DAQmxGetAIGain = _stdcall_libraries['nicaiu'].DAQmxGetAIGain
DAQmxGetAIGain.restype = int32
# DAQmxGetAIGain(taskHandle, channel, data)
DAQmxGetAIGain.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2500
DAQmxSetAIGain = _stdcall_libraries['nicaiu'].DAQmxSetAIGain
DAQmxSetAIGain.restype = int32
# DAQmxSetAIGain(taskHandle, channel, data)
DAQmxSetAIGain.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2501
DAQmxResetAIGain = _stdcall_libraries['nicaiu'].DAQmxResetAIGain
DAQmxResetAIGain.restype = int32
# DAQmxResetAIGain(taskHandle, channel)
DAQmxResetAIGain.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2503
DAQmxGetAISampAndHoldEnable = _stdcall_libraries['nicaiu'].DAQmxGetAISampAndHoldEnable
DAQmxGetAISampAndHoldEnable.restype = int32
# DAQmxGetAISampAndHoldEnable(taskHandle, channel, data)
DAQmxGetAISampAndHoldEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2504
DAQmxSetAISampAndHoldEnable = _stdcall_libraries['nicaiu'].DAQmxSetAISampAndHoldEnable
DAQmxSetAISampAndHoldEnable.restype = int32
# DAQmxSetAISampAndHoldEnable(taskHandle, channel, data)
DAQmxSetAISampAndHoldEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2505
DAQmxResetAISampAndHoldEnable = _stdcall_libraries['nicaiu'].DAQmxResetAISampAndHoldEnable
DAQmxResetAISampAndHoldEnable.restype = int32
# DAQmxResetAISampAndHoldEnable(taskHandle, channel)
DAQmxResetAISampAndHoldEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2508
DAQmxGetAIAutoZeroMode = _stdcall_libraries['nicaiu'].DAQmxGetAIAutoZeroMode
DAQmxGetAIAutoZeroMode.restype = int32
# DAQmxGetAIAutoZeroMode(taskHandle, channel, data)
DAQmxGetAIAutoZeroMode.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2509
DAQmxSetAIAutoZeroMode = _stdcall_libraries['nicaiu'].DAQmxSetAIAutoZeroMode
DAQmxSetAIAutoZeroMode.restype = int32
# DAQmxSetAIAutoZeroMode(taskHandle, channel, data)
DAQmxSetAIAutoZeroMode.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2510
DAQmxResetAIAutoZeroMode = _stdcall_libraries['nicaiu'].DAQmxResetAIAutoZeroMode
DAQmxResetAIAutoZeroMode.restype = int32
# DAQmxResetAIAutoZeroMode(taskHandle, channel)
DAQmxResetAIAutoZeroMode.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2513
DAQmxGetAIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxGetAIDataXferMech
DAQmxGetAIDataXferMech.restype = int32
# DAQmxGetAIDataXferMech(taskHandle, channel, data)
DAQmxGetAIDataXferMech.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2514
DAQmxSetAIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxSetAIDataXferMech
DAQmxSetAIDataXferMech.restype = int32
# DAQmxSetAIDataXferMech(taskHandle, channel, data)
DAQmxSetAIDataXferMech.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2515
DAQmxResetAIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxResetAIDataXferMech
DAQmxResetAIDataXferMech.restype = int32
# DAQmxResetAIDataXferMech(taskHandle, channel)
DAQmxResetAIDataXferMech.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2518
DAQmxGetAIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxGetAIDataXferReqCond
DAQmxGetAIDataXferReqCond.restype = int32
# DAQmxGetAIDataXferReqCond(taskHandle, channel, data)
DAQmxGetAIDataXferReqCond.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2519
DAQmxSetAIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxSetAIDataXferReqCond
DAQmxSetAIDataXferReqCond.restype = int32
# DAQmxSetAIDataXferReqCond(taskHandle, channel, data)
DAQmxSetAIDataXferReqCond.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2520
DAQmxResetAIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxResetAIDataXferReqCond
DAQmxResetAIDataXferReqCond.restype = int32
# DAQmxResetAIDataXferReqCond(taskHandle, channel)
DAQmxResetAIDataXferReqCond.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2522
DAQmxGetAIDataXferCustomThreshold = _stdcall_libraries['nicaiu'].DAQmxGetAIDataXferCustomThreshold
DAQmxGetAIDataXferCustomThreshold.restype = int32
# DAQmxGetAIDataXferCustomThreshold(taskHandle, channel, data)
DAQmxGetAIDataXferCustomThreshold.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2523
DAQmxSetAIDataXferCustomThreshold = _stdcall_libraries['nicaiu'].DAQmxSetAIDataXferCustomThreshold
DAQmxSetAIDataXferCustomThreshold.restype = int32
# DAQmxSetAIDataXferCustomThreshold(taskHandle, channel, data)
DAQmxSetAIDataXferCustomThreshold.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2524
DAQmxResetAIDataXferCustomThreshold = _stdcall_libraries['nicaiu'].DAQmxResetAIDataXferCustomThreshold
DAQmxResetAIDataXferCustomThreshold.restype = int32
# DAQmxResetAIDataXferCustomThreshold(taskHandle, channel)
DAQmxResetAIDataXferCustomThreshold.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2526
DAQmxGetAIMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxGetAIMemMapEnable
DAQmxGetAIMemMapEnable.restype = int32
# DAQmxGetAIMemMapEnable(taskHandle, channel, data)
DAQmxGetAIMemMapEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2527
DAQmxSetAIMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxSetAIMemMapEnable
DAQmxSetAIMemMapEnable.restype = int32
# DAQmxSetAIMemMapEnable(taskHandle, channel, data)
DAQmxSetAIMemMapEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2528
DAQmxResetAIMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxResetAIMemMapEnable
DAQmxResetAIMemMapEnable.restype = int32
# DAQmxResetAIMemMapEnable(taskHandle, channel)
DAQmxResetAIMemMapEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2531
DAQmxGetAIRawDataCompressionType = _stdcall_libraries['nicaiu'].DAQmxGetAIRawDataCompressionType
DAQmxGetAIRawDataCompressionType.restype = int32
# DAQmxGetAIRawDataCompressionType(taskHandle, channel, data)
DAQmxGetAIRawDataCompressionType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2532
DAQmxSetAIRawDataCompressionType = _stdcall_libraries['nicaiu'].DAQmxSetAIRawDataCompressionType
DAQmxSetAIRawDataCompressionType.restype = int32
# DAQmxSetAIRawDataCompressionType(taskHandle, channel, data)
DAQmxSetAIRawDataCompressionType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2533
DAQmxResetAIRawDataCompressionType = _stdcall_libraries['nicaiu'].DAQmxResetAIRawDataCompressionType
DAQmxResetAIRawDataCompressionType.restype = int32
# DAQmxResetAIRawDataCompressionType(taskHandle, channel)
DAQmxResetAIRawDataCompressionType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2535
DAQmxGetAILossyLSBRemovalCompressedSampSize = _stdcall_libraries['nicaiu'].DAQmxGetAILossyLSBRemovalCompressedSampSize
DAQmxGetAILossyLSBRemovalCompressedSampSize.restype = int32
# DAQmxGetAILossyLSBRemovalCompressedSampSize(taskHandle, channel, data)
DAQmxGetAILossyLSBRemovalCompressedSampSize.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2536
DAQmxSetAILossyLSBRemovalCompressedSampSize = _stdcall_libraries['nicaiu'].DAQmxSetAILossyLSBRemovalCompressedSampSize
DAQmxSetAILossyLSBRemovalCompressedSampSize.restype = int32
# DAQmxSetAILossyLSBRemovalCompressedSampSize(taskHandle, channel, data)
DAQmxSetAILossyLSBRemovalCompressedSampSize.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2537
DAQmxResetAILossyLSBRemovalCompressedSampSize = _stdcall_libraries['nicaiu'].DAQmxResetAILossyLSBRemovalCompressedSampSize
DAQmxResetAILossyLSBRemovalCompressedSampSize.restype = int32
# DAQmxResetAILossyLSBRemovalCompressedSampSize(taskHandle, channel)
DAQmxResetAILossyLSBRemovalCompressedSampSize.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2539
DAQmxGetAIDevScalingCoeff = _stdcall_libraries['nicaiu'].DAQmxGetAIDevScalingCoeff
DAQmxGetAIDevScalingCoeff.restype = int32
# DAQmxGetAIDevScalingCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAIDevScalingCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2541
DAQmxGetAIEnhancedAliasRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxGetAIEnhancedAliasRejectionEnable
DAQmxGetAIEnhancedAliasRejectionEnable.restype = int32
# DAQmxGetAIEnhancedAliasRejectionEnable(taskHandle, channel, data)
DAQmxGetAIEnhancedAliasRejectionEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2542
DAQmxSetAIEnhancedAliasRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxSetAIEnhancedAliasRejectionEnable
DAQmxSetAIEnhancedAliasRejectionEnable.restype = int32
# DAQmxSetAIEnhancedAliasRejectionEnable(taskHandle, channel, data)
DAQmxSetAIEnhancedAliasRejectionEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2543
DAQmxResetAIEnhancedAliasRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxResetAIEnhancedAliasRejectionEnable
DAQmxResetAIEnhancedAliasRejectionEnable.restype = int32
# DAQmxResetAIEnhancedAliasRejectionEnable(taskHandle, channel)
DAQmxResetAIEnhancedAliasRejectionEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2545
DAQmxGetAOMax = _stdcall_libraries['nicaiu'].DAQmxGetAOMax
DAQmxGetAOMax.restype = int32
# DAQmxGetAOMax(taskHandle, channel, data)
DAQmxGetAOMax.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2546
DAQmxSetAOMax = _stdcall_libraries['nicaiu'].DAQmxSetAOMax
DAQmxSetAOMax.restype = int32
# DAQmxSetAOMax(taskHandle, channel, data)
DAQmxSetAOMax.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2547
DAQmxResetAOMax = _stdcall_libraries['nicaiu'].DAQmxResetAOMax
DAQmxResetAOMax.restype = int32
# DAQmxResetAOMax(taskHandle, channel)
DAQmxResetAOMax.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2549
DAQmxGetAOMin = _stdcall_libraries['nicaiu'].DAQmxGetAOMin
DAQmxGetAOMin.restype = int32
# DAQmxGetAOMin(taskHandle, channel, data)
DAQmxGetAOMin.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2550
DAQmxSetAOMin = _stdcall_libraries['nicaiu'].DAQmxSetAOMin
DAQmxSetAOMin.restype = int32
# DAQmxSetAOMin(taskHandle, channel, data)
DAQmxSetAOMin.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2551
DAQmxResetAOMin = _stdcall_libraries['nicaiu'].DAQmxResetAOMin
DAQmxResetAOMin.restype = int32
# DAQmxResetAOMin(taskHandle, channel)
DAQmxResetAOMin.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2553
DAQmxGetAOCustomScaleName = _stdcall_libraries['nicaiu'].DAQmxGetAOCustomScaleName
DAQmxGetAOCustomScaleName.restype = int32
# DAQmxGetAOCustomScaleName(taskHandle, channel, data, bufferSize)
DAQmxGetAOCustomScaleName.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2554
DAQmxSetAOCustomScaleName = _stdcall_libraries['nicaiu'].DAQmxSetAOCustomScaleName
DAQmxSetAOCustomScaleName.restype = int32
# DAQmxSetAOCustomScaleName(taskHandle, channel, data)
DAQmxSetAOCustomScaleName.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2555
DAQmxResetAOCustomScaleName = _stdcall_libraries['nicaiu'].DAQmxResetAOCustomScaleName
DAQmxResetAOCustomScaleName.restype = int32
# DAQmxResetAOCustomScaleName(taskHandle, channel)
DAQmxResetAOCustomScaleName.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2558
DAQmxGetAOOutputType = _stdcall_libraries['nicaiu'].DAQmxGetAOOutputType
DAQmxGetAOOutputType.restype = int32
# DAQmxGetAOOutputType(taskHandle, channel, data)
DAQmxGetAOOutputType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2561
DAQmxGetAOVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxGetAOVoltageUnits
DAQmxGetAOVoltageUnits.restype = int32
# DAQmxGetAOVoltageUnits(taskHandle, channel, data)
DAQmxGetAOVoltageUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2562
DAQmxSetAOVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxSetAOVoltageUnits
DAQmxSetAOVoltageUnits.restype = int32
# DAQmxSetAOVoltageUnits(taskHandle, channel, data)
DAQmxSetAOVoltageUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2563
DAQmxResetAOVoltageUnits = _stdcall_libraries['nicaiu'].DAQmxResetAOVoltageUnits
DAQmxResetAOVoltageUnits.restype = int32
# DAQmxResetAOVoltageUnits(taskHandle, channel)
DAQmxResetAOVoltageUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2566
DAQmxGetAOCurrentUnits = _stdcall_libraries['nicaiu'].DAQmxGetAOCurrentUnits
DAQmxGetAOCurrentUnits.restype = int32
# DAQmxGetAOCurrentUnits(taskHandle, channel, data)
DAQmxGetAOCurrentUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2567
DAQmxSetAOCurrentUnits = _stdcall_libraries['nicaiu'].DAQmxSetAOCurrentUnits
DAQmxSetAOCurrentUnits.restype = int32
# DAQmxSetAOCurrentUnits(taskHandle, channel, data)
DAQmxSetAOCurrentUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2568
DAQmxResetAOCurrentUnits = _stdcall_libraries['nicaiu'].DAQmxResetAOCurrentUnits
DAQmxResetAOCurrentUnits.restype = int32
# DAQmxResetAOCurrentUnits(taskHandle, channel)
DAQmxResetAOCurrentUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2570
DAQmxGetAOOutputImpedance = _stdcall_libraries['nicaiu'].DAQmxGetAOOutputImpedance
DAQmxGetAOOutputImpedance.restype = int32
# DAQmxGetAOOutputImpedance(taskHandle, channel, data)
DAQmxGetAOOutputImpedance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2571
DAQmxSetAOOutputImpedance = _stdcall_libraries['nicaiu'].DAQmxSetAOOutputImpedance
DAQmxSetAOOutputImpedance.restype = int32
# DAQmxSetAOOutputImpedance(taskHandle, channel, data)
DAQmxSetAOOutputImpedance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2572
DAQmxResetAOOutputImpedance = _stdcall_libraries['nicaiu'].DAQmxResetAOOutputImpedance
DAQmxResetAOOutputImpedance.restype = int32
# DAQmxResetAOOutputImpedance(taskHandle, channel)
DAQmxResetAOOutputImpedance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2574
DAQmxGetAOLoadImpedance = _stdcall_libraries['nicaiu'].DAQmxGetAOLoadImpedance
DAQmxGetAOLoadImpedance.restype = int32
# DAQmxGetAOLoadImpedance(taskHandle, channel, data)
DAQmxGetAOLoadImpedance.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2575
DAQmxSetAOLoadImpedance = _stdcall_libraries['nicaiu'].DAQmxSetAOLoadImpedance
DAQmxSetAOLoadImpedance.restype = int32
# DAQmxSetAOLoadImpedance(taskHandle, channel, data)
DAQmxSetAOLoadImpedance.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2576
DAQmxResetAOLoadImpedance = _stdcall_libraries['nicaiu'].DAQmxResetAOLoadImpedance
DAQmxResetAOLoadImpedance.restype = int32
# DAQmxResetAOLoadImpedance(taskHandle, channel)
DAQmxResetAOLoadImpedance.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2579
DAQmxGetAOIdleOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxGetAOIdleOutputBehavior
DAQmxGetAOIdleOutputBehavior.restype = int32
# DAQmxGetAOIdleOutputBehavior(taskHandle, channel, data)
DAQmxGetAOIdleOutputBehavior.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2580
DAQmxSetAOIdleOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxSetAOIdleOutputBehavior
DAQmxSetAOIdleOutputBehavior.restype = int32
# DAQmxSetAOIdleOutputBehavior(taskHandle, channel, data)
DAQmxSetAOIdleOutputBehavior.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2581
DAQmxResetAOIdleOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxResetAOIdleOutputBehavior
DAQmxResetAOIdleOutputBehavior.restype = int32
# DAQmxResetAOIdleOutputBehavior(taskHandle, channel)
DAQmxResetAOIdleOutputBehavior.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2584
DAQmxGetAOTermCfg = _stdcall_libraries['nicaiu'].DAQmxGetAOTermCfg
DAQmxGetAOTermCfg.restype = int32
# DAQmxGetAOTermCfg(taskHandle, channel, data)
DAQmxGetAOTermCfg.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2585
DAQmxSetAOTermCfg = _stdcall_libraries['nicaiu'].DAQmxSetAOTermCfg
DAQmxSetAOTermCfg.restype = int32
# DAQmxSetAOTermCfg(taskHandle, channel, data)
DAQmxSetAOTermCfg.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2586
DAQmxResetAOTermCfg = _stdcall_libraries['nicaiu'].DAQmxResetAOTermCfg
DAQmxResetAOTermCfg.restype = int32
# DAQmxResetAOTermCfg(taskHandle, channel)
DAQmxResetAOTermCfg.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2589
DAQmxGetAOResolutionUnits = _stdcall_libraries['nicaiu'].DAQmxGetAOResolutionUnits
DAQmxGetAOResolutionUnits.restype = int32
# DAQmxGetAOResolutionUnits(taskHandle, channel, data)
DAQmxGetAOResolutionUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2590
DAQmxSetAOResolutionUnits = _stdcall_libraries['nicaiu'].DAQmxSetAOResolutionUnits
DAQmxSetAOResolutionUnits.restype = int32
# DAQmxSetAOResolutionUnits(taskHandle, channel, data)
DAQmxSetAOResolutionUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2591
DAQmxResetAOResolutionUnits = _stdcall_libraries['nicaiu'].DAQmxResetAOResolutionUnits
DAQmxResetAOResolutionUnits.restype = int32
# DAQmxResetAOResolutionUnits(taskHandle, channel)
DAQmxResetAOResolutionUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2593
DAQmxGetAOResolution = _stdcall_libraries['nicaiu'].DAQmxGetAOResolution
DAQmxGetAOResolution.restype = int32
# DAQmxGetAOResolution(taskHandle, channel, data)
DAQmxGetAOResolution.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2595
DAQmxGetAODACRngHigh = _stdcall_libraries['nicaiu'].DAQmxGetAODACRngHigh
DAQmxGetAODACRngHigh.restype = int32
# DAQmxGetAODACRngHigh(taskHandle, channel, data)
DAQmxGetAODACRngHigh.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2596
DAQmxSetAODACRngHigh = _stdcall_libraries['nicaiu'].DAQmxSetAODACRngHigh
DAQmxSetAODACRngHigh.restype = int32
# DAQmxSetAODACRngHigh(taskHandle, channel, data)
DAQmxSetAODACRngHigh.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2597
DAQmxResetAODACRngHigh = _stdcall_libraries['nicaiu'].DAQmxResetAODACRngHigh
DAQmxResetAODACRngHigh.restype = int32
# DAQmxResetAODACRngHigh(taskHandle, channel)
DAQmxResetAODACRngHigh.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2599
DAQmxGetAODACRngLow = _stdcall_libraries['nicaiu'].DAQmxGetAODACRngLow
DAQmxGetAODACRngLow.restype = int32
# DAQmxGetAODACRngLow(taskHandle, channel, data)
DAQmxGetAODACRngLow.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2600
DAQmxSetAODACRngLow = _stdcall_libraries['nicaiu'].DAQmxSetAODACRngLow
DAQmxSetAODACRngLow.restype = int32
# DAQmxSetAODACRngLow(taskHandle, channel, data)
DAQmxSetAODACRngLow.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2601
DAQmxResetAODACRngLow = _stdcall_libraries['nicaiu'].DAQmxResetAODACRngLow
DAQmxResetAODACRngLow.restype = int32
# DAQmxResetAODACRngLow(taskHandle, channel)
DAQmxResetAODACRngLow.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2603
DAQmxGetAODACRefConnToGnd = _stdcall_libraries['nicaiu'].DAQmxGetAODACRefConnToGnd
DAQmxGetAODACRefConnToGnd.restype = int32
# DAQmxGetAODACRefConnToGnd(taskHandle, channel, data)
DAQmxGetAODACRefConnToGnd.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2604
DAQmxSetAODACRefConnToGnd = _stdcall_libraries['nicaiu'].DAQmxSetAODACRefConnToGnd
DAQmxSetAODACRefConnToGnd.restype = int32
# DAQmxSetAODACRefConnToGnd(taskHandle, channel, data)
DAQmxSetAODACRefConnToGnd.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2605
DAQmxResetAODACRefConnToGnd = _stdcall_libraries['nicaiu'].DAQmxResetAODACRefConnToGnd
DAQmxResetAODACRefConnToGnd.restype = int32
# DAQmxResetAODACRefConnToGnd(taskHandle, channel)
DAQmxResetAODACRefConnToGnd.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2607
DAQmxGetAODACRefAllowConnToGnd = _stdcall_libraries['nicaiu'].DAQmxGetAODACRefAllowConnToGnd
DAQmxGetAODACRefAllowConnToGnd.restype = int32
# DAQmxGetAODACRefAllowConnToGnd(taskHandle, channel, data)
DAQmxGetAODACRefAllowConnToGnd.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2608
DAQmxSetAODACRefAllowConnToGnd = _stdcall_libraries['nicaiu'].DAQmxSetAODACRefAllowConnToGnd
DAQmxSetAODACRefAllowConnToGnd.restype = int32
# DAQmxSetAODACRefAllowConnToGnd(taskHandle, channel, data)
DAQmxSetAODACRefAllowConnToGnd.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2609
DAQmxResetAODACRefAllowConnToGnd = _stdcall_libraries['nicaiu'].DAQmxResetAODACRefAllowConnToGnd
DAQmxResetAODACRefAllowConnToGnd.restype = int32
# DAQmxResetAODACRefAllowConnToGnd(taskHandle, channel)
DAQmxResetAODACRefAllowConnToGnd.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2612
DAQmxGetAODACRefSrc = _stdcall_libraries['nicaiu'].DAQmxGetAODACRefSrc
DAQmxGetAODACRefSrc.restype = int32
# DAQmxGetAODACRefSrc(taskHandle, channel, data)
DAQmxGetAODACRefSrc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2613
DAQmxSetAODACRefSrc = _stdcall_libraries['nicaiu'].DAQmxSetAODACRefSrc
DAQmxSetAODACRefSrc.restype = int32
# DAQmxSetAODACRefSrc(taskHandle, channel, data)
DAQmxSetAODACRefSrc.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2614
DAQmxResetAODACRefSrc = _stdcall_libraries['nicaiu'].DAQmxResetAODACRefSrc
DAQmxResetAODACRefSrc.restype = int32
# DAQmxResetAODACRefSrc(taskHandle, channel)
DAQmxResetAODACRefSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2616
DAQmxGetAODACRefExtSrc = _stdcall_libraries['nicaiu'].DAQmxGetAODACRefExtSrc
DAQmxGetAODACRefExtSrc.restype = int32
# DAQmxGetAODACRefExtSrc(taskHandle, channel, data, bufferSize)
DAQmxGetAODACRefExtSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2617
DAQmxSetAODACRefExtSrc = _stdcall_libraries['nicaiu'].DAQmxSetAODACRefExtSrc
DAQmxSetAODACRefExtSrc.restype = int32
# DAQmxSetAODACRefExtSrc(taskHandle, channel, data)
DAQmxSetAODACRefExtSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2618
DAQmxResetAODACRefExtSrc = _stdcall_libraries['nicaiu'].DAQmxResetAODACRefExtSrc
DAQmxResetAODACRefExtSrc.restype = int32
# DAQmxResetAODACRefExtSrc(taskHandle, channel)
DAQmxResetAODACRefExtSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2620
DAQmxGetAODACRefVal = _stdcall_libraries['nicaiu'].DAQmxGetAODACRefVal
DAQmxGetAODACRefVal.restype = int32
# DAQmxGetAODACRefVal(taskHandle, channel, data)
DAQmxGetAODACRefVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2621
DAQmxSetAODACRefVal = _stdcall_libraries['nicaiu'].DAQmxSetAODACRefVal
DAQmxSetAODACRefVal.restype = int32
# DAQmxSetAODACRefVal(taskHandle, channel, data)
DAQmxSetAODACRefVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2622
DAQmxResetAODACRefVal = _stdcall_libraries['nicaiu'].DAQmxResetAODACRefVal
DAQmxResetAODACRefVal.restype = int32
# DAQmxResetAODACRefVal(taskHandle, channel)
DAQmxResetAODACRefVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2625
DAQmxGetAODACOffsetSrc = _stdcall_libraries['nicaiu'].DAQmxGetAODACOffsetSrc
DAQmxGetAODACOffsetSrc.restype = int32
# DAQmxGetAODACOffsetSrc(taskHandle, channel, data)
DAQmxGetAODACOffsetSrc.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2626
DAQmxSetAODACOffsetSrc = _stdcall_libraries['nicaiu'].DAQmxSetAODACOffsetSrc
DAQmxSetAODACOffsetSrc.restype = int32
# DAQmxSetAODACOffsetSrc(taskHandle, channel, data)
DAQmxSetAODACOffsetSrc.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2627
DAQmxResetAODACOffsetSrc = _stdcall_libraries['nicaiu'].DAQmxResetAODACOffsetSrc
DAQmxResetAODACOffsetSrc.restype = int32
# DAQmxResetAODACOffsetSrc(taskHandle, channel)
DAQmxResetAODACOffsetSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2629
DAQmxGetAODACOffsetExtSrc = _stdcall_libraries['nicaiu'].DAQmxGetAODACOffsetExtSrc
DAQmxGetAODACOffsetExtSrc.restype = int32
# DAQmxGetAODACOffsetExtSrc(taskHandle, channel, data, bufferSize)
DAQmxGetAODACOffsetExtSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2630
DAQmxSetAODACOffsetExtSrc = _stdcall_libraries['nicaiu'].DAQmxSetAODACOffsetExtSrc
DAQmxSetAODACOffsetExtSrc.restype = int32
# DAQmxSetAODACOffsetExtSrc(taskHandle, channel, data)
DAQmxSetAODACOffsetExtSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2631
DAQmxResetAODACOffsetExtSrc = _stdcall_libraries['nicaiu'].DAQmxResetAODACOffsetExtSrc
DAQmxResetAODACOffsetExtSrc.restype = int32
# DAQmxResetAODACOffsetExtSrc(taskHandle, channel)
DAQmxResetAODACOffsetExtSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2633
DAQmxGetAODACOffsetVal = _stdcall_libraries['nicaiu'].DAQmxGetAODACOffsetVal
DAQmxGetAODACOffsetVal.restype = int32
# DAQmxGetAODACOffsetVal(taskHandle, channel, data)
DAQmxGetAODACOffsetVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2634
DAQmxSetAODACOffsetVal = _stdcall_libraries['nicaiu'].DAQmxSetAODACOffsetVal
DAQmxSetAODACOffsetVal.restype = int32
# DAQmxSetAODACOffsetVal(taskHandle, channel, data)
DAQmxSetAODACOffsetVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2635
DAQmxResetAODACOffsetVal = _stdcall_libraries['nicaiu'].DAQmxResetAODACOffsetVal
DAQmxResetAODACOffsetVal.restype = int32
# DAQmxResetAODACOffsetVal(taskHandle, channel)
DAQmxResetAODACOffsetVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2637
DAQmxGetAOReglitchEnable = _stdcall_libraries['nicaiu'].DAQmxGetAOReglitchEnable
DAQmxGetAOReglitchEnable.restype = int32
# DAQmxGetAOReglitchEnable(taskHandle, channel, data)
DAQmxGetAOReglitchEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2638
DAQmxSetAOReglitchEnable = _stdcall_libraries['nicaiu'].DAQmxSetAOReglitchEnable
DAQmxSetAOReglitchEnable.restype = int32
# DAQmxSetAOReglitchEnable(taskHandle, channel, data)
DAQmxSetAOReglitchEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2639
DAQmxResetAOReglitchEnable = _stdcall_libraries['nicaiu'].DAQmxResetAOReglitchEnable
DAQmxResetAOReglitchEnable.restype = int32
# DAQmxResetAOReglitchEnable(taskHandle, channel)
DAQmxResetAOReglitchEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2641
DAQmxGetAOGain = _stdcall_libraries['nicaiu'].DAQmxGetAOGain
DAQmxGetAOGain.restype = int32
# DAQmxGetAOGain(taskHandle, channel, data)
DAQmxGetAOGain.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2642
DAQmxSetAOGain = _stdcall_libraries['nicaiu'].DAQmxSetAOGain
DAQmxSetAOGain.restype = int32
# DAQmxSetAOGain(taskHandle, channel, data)
DAQmxSetAOGain.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2643
DAQmxResetAOGain = _stdcall_libraries['nicaiu'].DAQmxResetAOGain
DAQmxResetAOGain.restype = int32
# DAQmxResetAOGain(taskHandle, channel)
DAQmxResetAOGain.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2645
DAQmxGetAOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxGetAOUseOnlyOnBrdMem
DAQmxGetAOUseOnlyOnBrdMem.restype = int32
# DAQmxGetAOUseOnlyOnBrdMem(taskHandle, channel, data)
DAQmxGetAOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2646
DAQmxSetAOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxSetAOUseOnlyOnBrdMem
DAQmxSetAOUseOnlyOnBrdMem.restype = int32
# DAQmxSetAOUseOnlyOnBrdMem(taskHandle, channel, data)
DAQmxSetAOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2647
DAQmxResetAOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxResetAOUseOnlyOnBrdMem
DAQmxResetAOUseOnlyOnBrdMem.restype = int32
# DAQmxResetAOUseOnlyOnBrdMem(taskHandle, channel)
DAQmxResetAOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2650
DAQmxGetAODataXferMech = _stdcall_libraries['nicaiu'].DAQmxGetAODataXferMech
DAQmxGetAODataXferMech.restype = int32
# DAQmxGetAODataXferMech(taskHandle, channel, data)
DAQmxGetAODataXferMech.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2651
DAQmxSetAODataXferMech = _stdcall_libraries['nicaiu'].DAQmxSetAODataXferMech
DAQmxSetAODataXferMech.restype = int32
# DAQmxSetAODataXferMech(taskHandle, channel, data)
DAQmxSetAODataXferMech.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2652
DAQmxResetAODataXferMech = _stdcall_libraries['nicaiu'].DAQmxResetAODataXferMech
DAQmxResetAODataXferMech.restype = int32
# DAQmxResetAODataXferMech(taskHandle, channel)
DAQmxResetAODataXferMech.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2655
DAQmxGetAODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxGetAODataXferReqCond
DAQmxGetAODataXferReqCond.restype = int32
# DAQmxGetAODataXferReqCond(taskHandle, channel, data)
DAQmxGetAODataXferReqCond.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2656
DAQmxSetAODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxSetAODataXferReqCond
DAQmxSetAODataXferReqCond.restype = int32
# DAQmxSetAODataXferReqCond(taskHandle, channel, data)
DAQmxSetAODataXferReqCond.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2657
DAQmxResetAODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxResetAODataXferReqCond
DAQmxResetAODataXferReqCond.restype = int32
# DAQmxResetAODataXferReqCond(taskHandle, channel)
DAQmxResetAODataXferReqCond.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2659
DAQmxGetAOMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxGetAOMemMapEnable
DAQmxGetAOMemMapEnable.restype = int32
# DAQmxGetAOMemMapEnable(taskHandle, channel, data)
DAQmxGetAOMemMapEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2660
DAQmxSetAOMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxSetAOMemMapEnable
DAQmxSetAOMemMapEnable.restype = int32
# DAQmxSetAOMemMapEnable(taskHandle, channel, data)
DAQmxSetAOMemMapEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2661
DAQmxResetAOMemMapEnable = _stdcall_libraries['nicaiu'].DAQmxResetAOMemMapEnable
DAQmxResetAOMemMapEnable.restype = int32
# DAQmxResetAOMemMapEnable(taskHandle, channel)
DAQmxResetAOMemMapEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2663
DAQmxGetAODevScalingCoeff = _stdcall_libraries['nicaiu'].DAQmxGetAODevScalingCoeff
DAQmxGetAODevScalingCoeff.restype = int32
# DAQmxGetAODevScalingCoeff(taskHandle, channel, data, arraySizeInSamples)
DAQmxGetAODevScalingCoeff.argtypes = [TaskHandle, STRING, POINTER(float64), uInt32]
# NIDAQmx.h 2665
DAQmxGetAOEnhancedImageRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxGetAOEnhancedImageRejectionEnable
DAQmxGetAOEnhancedImageRejectionEnable.restype = int32
# DAQmxGetAOEnhancedImageRejectionEnable(taskHandle, channel, data)
DAQmxGetAOEnhancedImageRejectionEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2666
DAQmxSetAOEnhancedImageRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxSetAOEnhancedImageRejectionEnable
DAQmxSetAOEnhancedImageRejectionEnable.restype = int32
# DAQmxSetAOEnhancedImageRejectionEnable(taskHandle, channel, data)
DAQmxSetAOEnhancedImageRejectionEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2667
DAQmxResetAOEnhancedImageRejectionEnable = _stdcall_libraries['nicaiu'].DAQmxResetAOEnhancedImageRejectionEnable
DAQmxResetAOEnhancedImageRejectionEnable.restype = int32
# DAQmxResetAOEnhancedImageRejectionEnable(taskHandle, channel)
DAQmxResetAOEnhancedImageRejectionEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2669
DAQmxGetDIInvertLines = _stdcall_libraries['nicaiu'].DAQmxGetDIInvertLines
DAQmxGetDIInvertLines.restype = int32
# DAQmxGetDIInvertLines(taskHandle, channel, data)
DAQmxGetDIInvertLines.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2670
DAQmxSetDIInvertLines = _stdcall_libraries['nicaiu'].DAQmxSetDIInvertLines
DAQmxSetDIInvertLines.restype = int32
# DAQmxSetDIInvertLines(taskHandle, channel, data)
DAQmxSetDIInvertLines.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2671
DAQmxResetDIInvertLines = _stdcall_libraries['nicaiu'].DAQmxResetDIInvertLines
DAQmxResetDIInvertLines.restype = int32
# DAQmxResetDIInvertLines(taskHandle, channel)
DAQmxResetDIInvertLines.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2673
DAQmxGetDINumLines = _stdcall_libraries['nicaiu'].DAQmxGetDINumLines
DAQmxGetDINumLines.restype = int32
# DAQmxGetDINumLines(taskHandle, channel, data)
DAQmxGetDINumLines.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2675
DAQmxGetDIDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetDIDigFltrEnable
DAQmxGetDIDigFltrEnable.restype = int32
# DAQmxGetDIDigFltrEnable(taskHandle, channel, data)
DAQmxGetDIDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2676
DAQmxSetDIDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetDIDigFltrEnable
DAQmxSetDIDigFltrEnable.restype = int32
# DAQmxSetDIDigFltrEnable(taskHandle, channel, data)
DAQmxSetDIDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2677
DAQmxResetDIDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetDIDigFltrEnable
DAQmxResetDIDigFltrEnable.restype = int32
# DAQmxResetDIDigFltrEnable(taskHandle, channel)
DAQmxResetDIDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2679
DAQmxGetDIDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetDIDigFltrMinPulseWidth
DAQmxGetDIDigFltrMinPulseWidth.restype = int32
# DAQmxGetDIDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetDIDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2680
DAQmxSetDIDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetDIDigFltrMinPulseWidth
DAQmxSetDIDigFltrMinPulseWidth.restype = int32
# DAQmxSetDIDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetDIDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2681
DAQmxResetDIDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetDIDigFltrMinPulseWidth
DAQmxResetDIDigFltrMinPulseWidth.restype = int32
# DAQmxResetDIDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetDIDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2683
DAQmxGetDITristate = _stdcall_libraries['nicaiu'].DAQmxGetDITristate
DAQmxGetDITristate.restype = int32
# DAQmxGetDITristate(taskHandle, channel, data)
DAQmxGetDITristate.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2684
DAQmxSetDITristate = _stdcall_libraries['nicaiu'].DAQmxSetDITristate
DAQmxSetDITristate.restype = int32
# DAQmxSetDITristate(taskHandle, channel, data)
DAQmxSetDITristate.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2685
DAQmxResetDITristate = _stdcall_libraries['nicaiu'].DAQmxResetDITristate
DAQmxResetDITristate.restype = int32
# DAQmxResetDITristate(taskHandle, channel)
DAQmxResetDITristate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2688
DAQmxGetDIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxGetDIDataXferMech
DAQmxGetDIDataXferMech.restype = int32
# DAQmxGetDIDataXferMech(taskHandle, channel, data)
DAQmxGetDIDataXferMech.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2689
DAQmxSetDIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxSetDIDataXferMech
DAQmxSetDIDataXferMech.restype = int32
# DAQmxSetDIDataXferMech(taskHandle, channel, data)
DAQmxSetDIDataXferMech.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2690
DAQmxResetDIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxResetDIDataXferMech
DAQmxResetDIDataXferMech.restype = int32
# DAQmxResetDIDataXferMech(taskHandle, channel)
DAQmxResetDIDataXferMech.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2693
DAQmxGetDIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxGetDIDataXferReqCond
DAQmxGetDIDataXferReqCond.restype = int32
# DAQmxGetDIDataXferReqCond(taskHandle, channel, data)
DAQmxGetDIDataXferReqCond.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2694
DAQmxSetDIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxSetDIDataXferReqCond
DAQmxSetDIDataXferReqCond.restype = int32
# DAQmxSetDIDataXferReqCond(taskHandle, channel, data)
DAQmxSetDIDataXferReqCond.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2695
DAQmxResetDIDataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxResetDIDataXferReqCond
DAQmxResetDIDataXferReqCond.restype = int32
# DAQmxResetDIDataXferReqCond(taskHandle, channel)
DAQmxResetDIDataXferReqCond.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2698
DAQmxGetDOOutputDriveType = _stdcall_libraries['nicaiu'].DAQmxGetDOOutputDriveType
DAQmxGetDOOutputDriveType.restype = int32
# DAQmxGetDOOutputDriveType(taskHandle, channel, data)
DAQmxGetDOOutputDriveType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2699
DAQmxSetDOOutputDriveType = _stdcall_libraries['nicaiu'].DAQmxSetDOOutputDriveType
DAQmxSetDOOutputDriveType.restype = int32
# DAQmxSetDOOutputDriveType(taskHandle, channel, data)
DAQmxSetDOOutputDriveType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2700
DAQmxResetDOOutputDriveType = _stdcall_libraries['nicaiu'].DAQmxResetDOOutputDriveType
DAQmxResetDOOutputDriveType.restype = int32
# DAQmxResetDOOutputDriveType(taskHandle, channel)
DAQmxResetDOOutputDriveType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2702
DAQmxGetDOInvertLines = _stdcall_libraries['nicaiu'].DAQmxGetDOInvertLines
DAQmxGetDOInvertLines.restype = int32
# DAQmxGetDOInvertLines(taskHandle, channel, data)
DAQmxGetDOInvertLines.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2703
DAQmxSetDOInvertLines = _stdcall_libraries['nicaiu'].DAQmxSetDOInvertLines
DAQmxSetDOInvertLines.restype = int32
# DAQmxSetDOInvertLines(taskHandle, channel, data)
DAQmxSetDOInvertLines.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2704
DAQmxResetDOInvertLines = _stdcall_libraries['nicaiu'].DAQmxResetDOInvertLines
DAQmxResetDOInvertLines.restype = int32
# DAQmxResetDOInvertLines(taskHandle, channel)
DAQmxResetDOInvertLines.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2706
DAQmxGetDONumLines = _stdcall_libraries['nicaiu'].DAQmxGetDONumLines
DAQmxGetDONumLines.restype = int32
# DAQmxGetDONumLines(taskHandle, channel, data)
DAQmxGetDONumLines.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2708
DAQmxGetDOTristate = _stdcall_libraries['nicaiu'].DAQmxGetDOTristate
DAQmxGetDOTristate.restype = int32
# DAQmxGetDOTristate(taskHandle, channel, data)
DAQmxGetDOTristate.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2709
DAQmxSetDOTristate = _stdcall_libraries['nicaiu'].DAQmxSetDOTristate
DAQmxSetDOTristate.restype = int32
# DAQmxSetDOTristate(taskHandle, channel, data)
DAQmxSetDOTristate.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2710
DAQmxResetDOTristate = _stdcall_libraries['nicaiu'].DAQmxResetDOTristate
DAQmxResetDOTristate.restype = int32
# DAQmxResetDOTristate(taskHandle, channel)
DAQmxResetDOTristate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2712
DAQmxGetDOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxGetDOUseOnlyOnBrdMem
DAQmxGetDOUseOnlyOnBrdMem.restype = int32
# DAQmxGetDOUseOnlyOnBrdMem(taskHandle, channel, data)
DAQmxGetDOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2713
DAQmxSetDOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxSetDOUseOnlyOnBrdMem
DAQmxSetDOUseOnlyOnBrdMem.restype = int32
# DAQmxSetDOUseOnlyOnBrdMem(taskHandle, channel, data)
DAQmxSetDOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2714
DAQmxResetDOUseOnlyOnBrdMem = _stdcall_libraries['nicaiu'].DAQmxResetDOUseOnlyOnBrdMem
DAQmxResetDOUseOnlyOnBrdMem.restype = int32
# DAQmxResetDOUseOnlyOnBrdMem(taskHandle, channel)
DAQmxResetDOUseOnlyOnBrdMem.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2717
DAQmxGetDODataXferMech = _stdcall_libraries['nicaiu'].DAQmxGetDODataXferMech
DAQmxGetDODataXferMech.restype = int32
# DAQmxGetDODataXferMech(taskHandle, channel, data)
DAQmxGetDODataXferMech.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2718
DAQmxSetDODataXferMech = _stdcall_libraries['nicaiu'].DAQmxSetDODataXferMech
DAQmxSetDODataXferMech.restype = int32
# DAQmxSetDODataXferMech(taskHandle, channel, data)
DAQmxSetDODataXferMech.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2719
DAQmxResetDODataXferMech = _stdcall_libraries['nicaiu'].DAQmxResetDODataXferMech
DAQmxResetDODataXferMech.restype = int32
# DAQmxResetDODataXferMech(taskHandle, channel)
DAQmxResetDODataXferMech.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2722
DAQmxGetDODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxGetDODataXferReqCond
DAQmxGetDODataXferReqCond.restype = int32
# DAQmxGetDODataXferReqCond(taskHandle, channel, data)
DAQmxGetDODataXferReqCond.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2723
DAQmxSetDODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxSetDODataXferReqCond
DAQmxSetDODataXferReqCond.restype = int32
# DAQmxSetDODataXferReqCond(taskHandle, channel, data)
DAQmxSetDODataXferReqCond.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2724
DAQmxResetDODataXferReqCond = _stdcall_libraries['nicaiu'].DAQmxResetDODataXferReqCond
DAQmxResetDODataXferReqCond.restype = int32
# DAQmxResetDODataXferReqCond(taskHandle, channel)
DAQmxResetDODataXferReqCond.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2726
DAQmxGetCIMax = _stdcall_libraries['nicaiu'].DAQmxGetCIMax
DAQmxGetCIMax.restype = int32
# DAQmxGetCIMax(taskHandle, channel, data)
DAQmxGetCIMax.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2727
DAQmxSetCIMax = _stdcall_libraries['nicaiu'].DAQmxSetCIMax
DAQmxSetCIMax.restype = int32
# DAQmxSetCIMax(taskHandle, channel, data)
DAQmxSetCIMax.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2728
DAQmxResetCIMax = _stdcall_libraries['nicaiu'].DAQmxResetCIMax
DAQmxResetCIMax.restype = int32
# DAQmxResetCIMax(taskHandle, channel)
DAQmxResetCIMax.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2730
DAQmxGetCIMin = _stdcall_libraries['nicaiu'].DAQmxGetCIMin
DAQmxGetCIMin.restype = int32
# DAQmxGetCIMin(taskHandle, channel, data)
DAQmxGetCIMin.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2731
DAQmxSetCIMin = _stdcall_libraries['nicaiu'].DAQmxSetCIMin
DAQmxSetCIMin.restype = int32
# DAQmxSetCIMin(taskHandle, channel, data)
DAQmxSetCIMin.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2732
DAQmxResetCIMin = _stdcall_libraries['nicaiu'].DAQmxResetCIMin
DAQmxResetCIMin.restype = int32
# DAQmxResetCIMin(taskHandle, channel)
DAQmxResetCIMin.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2734
DAQmxGetCICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxGetCICustomScaleName
DAQmxGetCICustomScaleName.restype = int32
# DAQmxGetCICustomScaleName(taskHandle, channel, data, bufferSize)
DAQmxGetCICustomScaleName.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2735
DAQmxSetCICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxSetCICustomScaleName
DAQmxSetCICustomScaleName.restype = int32
# DAQmxSetCICustomScaleName(taskHandle, channel, data)
DAQmxSetCICustomScaleName.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2736
DAQmxResetCICustomScaleName = _stdcall_libraries['nicaiu'].DAQmxResetCICustomScaleName
DAQmxResetCICustomScaleName.restype = int32
# DAQmxResetCICustomScaleName(taskHandle, channel)
DAQmxResetCICustomScaleName.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2739
DAQmxGetCIMeasType = _stdcall_libraries['nicaiu'].DAQmxGetCIMeasType
DAQmxGetCIMeasType.restype = int32
# DAQmxGetCIMeasType(taskHandle, channel, data)
DAQmxGetCIMeasType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2742
DAQmxGetCIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqUnits
DAQmxGetCIFreqUnits.restype = int32
# DAQmxGetCIFreqUnits(taskHandle, channel, data)
DAQmxGetCIFreqUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2743
DAQmxSetCIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqUnits
DAQmxSetCIFreqUnits.restype = int32
# DAQmxSetCIFreqUnits(taskHandle, channel, data)
DAQmxSetCIFreqUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2744
DAQmxResetCIFreqUnits = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqUnits
DAQmxResetCIFreqUnits.restype = int32
# DAQmxResetCIFreqUnits(taskHandle, channel)
DAQmxResetCIFreqUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2746
DAQmxGetCIFreqTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqTerm
DAQmxGetCIFreqTerm.restype = int32
# DAQmxGetCIFreqTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIFreqTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2747
DAQmxSetCIFreqTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqTerm
DAQmxSetCIFreqTerm.restype = int32
# DAQmxSetCIFreqTerm(taskHandle, channel, data)
DAQmxSetCIFreqTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2748
DAQmxResetCIFreqTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqTerm
DAQmxResetCIFreqTerm.restype = int32
# DAQmxResetCIFreqTerm(taskHandle, channel)
DAQmxResetCIFreqTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2751
DAQmxGetCIFreqStartingEdge = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqStartingEdge
DAQmxGetCIFreqStartingEdge.restype = int32
# DAQmxGetCIFreqStartingEdge(taskHandle, channel, data)
DAQmxGetCIFreqStartingEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2752
DAQmxSetCIFreqStartingEdge = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqStartingEdge
DAQmxSetCIFreqStartingEdge.restype = int32
# DAQmxSetCIFreqStartingEdge(taskHandle, channel, data)
DAQmxSetCIFreqStartingEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2753
DAQmxResetCIFreqStartingEdge = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqStartingEdge
DAQmxResetCIFreqStartingEdge.restype = int32
# DAQmxResetCIFreqStartingEdge(taskHandle, channel)
DAQmxResetCIFreqStartingEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2756
DAQmxGetCIFreqMeasMeth = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqMeasMeth
DAQmxGetCIFreqMeasMeth.restype = int32
# DAQmxGetCIFreqMeasMeth(taskHandle, channel, data)
DAQmxGetCIFreqMeasMeth.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2757
DAQmxSetCIFreqMeasMeth = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqMeasMeth
DAQmxSetCIFreqMeasMeth.restype = int32
# DAQmxSetCIFreqMeasMeth(taskHandle, channel, data)
DAQmxSetCIFreqMeasMeth.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2758
DAQmxResetCIFreqMeasMeth = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqMeasMeth
DAQmxResetCIFreqMeasMeth.restype = int32
# DAQmxResetCIFreqMeasMeth(taskHandle, channel)
DAQmxResetCIFreqMeasMeth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2760
DAQmxGetCIFreqMeasTime = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqMeasTime
DAQmxGetCIFreqMeasTime.restype = int32
# DAQmxGetCIFreqMeasTime(taskHandle, channel, data)
DAQmxGetCIFreqMeasTime.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2761
DAQmxSetCIFreqMeasTime = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqMeasTime
DAQmxSetCIFreqMeasTime.restype = int32
# DAQmxSetCIFreqMeasTime(taskHandle, channel, data)
DAQmxSetCIFreqMeasTime.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2762
DAQmxResetCIFreqMeasTime = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqMeasTime
DAQmxResetCIFreqMeasTime.restype = int32
# DAQmxResetCIFreqMeasTime(taskHandle, channel)
DAQmxResetCIFreqMeasTime.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2764
DAQmxGetCIFreqDiv = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDiv
DAQmxGetCIFreqDiv.restype = int32
# DAQmxGetCIFreqDiv(taskHandle, channel, data)
DAQmxGetCIFreqDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2765
DAQmxSetCIFreqDiv = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDiv
DAQmxSetCIFreqDiv.restype = int32
# DAQmxSetCIFreqDiv(taskHandle, channel, data)
DAQmxSetCIFreqDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2766
DAQmxResetCIFreqDiv = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDiv
DAQmxResetCIFreqDiv.restype = int32
# DAQmxResetCIFreqDiv(taskHandle, channel)
DAQmxResetCIFreqDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2768
DAQmxGetCIFreqDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDigFltrEnable
DAQmxGetCIFreqDigFltrEnable.restype = int32
# DAQmxGetCIFreqDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIFreqDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2769
DAQmxSetCIFreqDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDigFltrEnable
DAQmxSetCIFreqDigFltrEnable.restype = int32
# DAQmxSetCIFreqDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIFreqDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2770
DAQmxResetCIFreqDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDigFltrEnable
DAQmxResetCIFreqDigFltrEnable.restype = int32
# DAQmxResetCIFreqDigFltrEnable(taskHandle, channel)
DAQmxResetCIFreqDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2772
DAQmxGetCIFreqDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDigFltrMinPulseWidth
DAQmxGetCIFreqDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIFreqDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIFreqDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2773
DAQmxSetCIFreqDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDigFltrMinPulseWidth
DAQmxSetCIFreqDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIFreqDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIFreqDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2774
DAQmxResetCIFreqDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDigFltrMinPulseWidth
DAQmxResetCIFreqDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIFreqDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIFreqDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2776
DAQmxGetCIFreqDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDigFltrTimebaseSrc
DAQmxGetCIFreqDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIFreqDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIFreqDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2777
DAQmxSetCIFreqDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDigFltrTimebaseSrc
DAQmxSetCIFreqDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIFreqDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIFreqDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2778
DAQmxResetCIFreqDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDigFltrTimebaseSrc
DAQmxResetCIFreqDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIFreqDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIFreqDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2780
DAQmxGetCIFreqDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDigFltrTimebaseRate
DAQmxGetCIFreqDigFltrTimebaseRate.restype = int32
# DAQmxGetCIFreqDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIFreqDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2781
DAQmxSetCIFreqDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDigFltrTimebaseRate
DAQmxSetCIFreqDigFltrTimebaseRate.restype = int32
# DAQmxSetCIFreqDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIFreqDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2782
DAQmxResetCIFreqDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDigFltrTimebaseRate
DAQmxResetCIFreqDigFltrTimebaseRate.restype = int32
# DAQmxResetCIFreqDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIFreqDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2784
DAQmxGetCIFreqDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIFreqDigSyncEnable
DAQmxGetCIFreqDigSyncEnable.restype = int32
# DAQmxGetCIFreqDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIFreqDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2785
DAQmxSetCIFreqDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIFreqDigSyncEnable
DAQmxSetCIFreqDigSyncEnable.restype = int32
# DAQmxSetCIFreqDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIFreqDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2786
DAQmxResetCIFreqDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIFreqDigSyncEnable
DAQmxResetCIFreqDigSyncEnable.restype = int32
# DAQmxResetCIFreqDigSyncEnable(taskHandle, channel)
DAQmxResetCIFreqDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2789
DAQmxGetCIPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodUnits
DAQmxGetCIPeriodUnits.restype = int32
# DAQmxGetCIPeriodUnits(taskHandle, channel, data)
DAQmxGetCIPeriodUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2790
DAQmxSetCIPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodUnits
DAQmxSetCIPeriodUnits.restype = int32
# DAQmxSetCIPeriodUnits(taskHandle, channel, data)
DAQmxSetCIPeriodUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2791
DAQmxResetCIPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodUnits
DAQmxResetCIPeriodUnits.restype = int32
# DAQmxResetCIPeriodUnits(taskHandle, channel)
DAQmxResetCIPeriodUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2793
DAQmxGetCIPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodTerm
DAQmxGetCIPeriodTerm.restype = int32
# DAQmxGetCIPeriodTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIPeriodTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2794
DAQmxSetCIPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodTerm
DAQmxSetCIPeriodTerm.restype = int32
# DAQmxSetCIPeriodTerm(taskHandle, channel, data)
DAQmxSetCIPeriodTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2795
DAQmxResetCIPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodTerm
DAQmxResetCIPeriodTerm.restype = int32
# DAQmxResetCIPeriodTerm(taskHandle, channel)
DAQmxResetCIPeriodTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2798
DAQmxGetCIPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodStartingEdge
DAQmxGetCIPeriodStartingEdge.restype = int32
# DAQmxGetCIPeriodStartingEdge(taskHandle, channel, data)
DAQmxGetCIPeriodStartingEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2799
DAQmxSetCIPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodStartingEdge
DAQmxSetCIPeriodStartingEdge.restype = int32
# DAQmxSetCIPeriodStartingEdge(taskHandle, channel, data)
DAQmxSetCIPeriodStartingEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2800
DAQmxResetCIPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodStartingEdge
DAQmxResetCIPeriodStartingEdge.restype = int32
# DAQmxResetCIPeriodStartingEdge(taskHandle, channel)
DAQmxResetCIPeriodStartingEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2803
DAQmxGetCIPeriodMeasMeth = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodMeasMeth
DAQmxGetCIPeriodMeasMeth.restype = int32
# DAQmxGetCIPeriodMeasMeth(taskHandle, channel, data)
DAQmxGetCIPeriodMeasMeth.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2804
DAQmxSetCIPeriodMeasMeth = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodMeasMeth
DAQmxSetCIPeriodMeasMeth.restype = int32
# DAQmxSetCIPeriodMeasMeth(taskHandle, channel, data)
DAQmxSetCIPeriodMeasMeth.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2805
DAQmxResetCIPeriodMeasMeth = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodMeasMeth
DAQmxResetCIPeriodMeasMeth.restype = int32
# DAQmxResetCIPeriodMeasMeth(taskHandle, channel)
DAQmxResetCIPeriodMeasMeth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2807
DAQmxGetCIPeriodMeasTime = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodMeasTime
DAQmxGetCIPeriodMeasTime.restype = int32
# DAQmxGetCIPeriodMeasTime(taskHandle, channel, data)
DAQmxGetCIPeriodMeasTime.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2808
DAQmxSetCIPeriodMeasTime = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodMeasTime
DAQmxSetCIPeriodMeasTime.restype = int32
# DAQmxSetCIPeriodMeasTime(taskHandle, channel, data)
DAQmxSetCIPeriodMeasTime.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2809
DAQmxResetCIPeriodMeasTime = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodMeasTime
DAQmxResetCIPeriodMeasTime.restype = int32
# DAQmxResetCIPeriodMeasTime(taskHandle, channel)
DAQmxResetCIPeriodMeasTime.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2811
DAQmxGetCIPeriodDiv = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDiv
DAQmxGetCIPeriodDiv.restype = int32
# DAQmxGetCIPeriodDiv(taskHandle, channel, data)
DAQmxGetCIPeriodDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2812
DAQmxSetCIPeriodDiv = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDiv
DAQmxSetCIPeriodDiv.restype = int32
# DAQmxSetCIPeriodDiv(taskHandle, channel, data)
DAQmxSetCIPeriodDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2813
DAQmxResetCIPeriodDiv = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDiv
DAQmxResetCIPeriodDiv.restype = int32
# DAQmxResetCIPeriodDiv(taskHandle, channel)
DAQmxResetCIPeriodDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2815
DAQmxGetCIPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDigFltrEnable
DAQmxGetCIPeriodDigFltrEnable.restype = int32
# DAQmxGetCIPeriodDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIPeriodDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2816
DAQmxSetCIPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDigFltrEnable
DAQmxSetCIPeriodDigFltrEnable.restype = int32
# DAQmxSetCIPeriodDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIPeriodDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2817
DAQmxResetCIPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDigFltrEnable
DAQmxResetCIPeriodDigFltrEnable.restype = int32
# DAQmxResetCIPeriodDigFltrEnable(taskHandle, channel)
DAQmxResetCIPeriodDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2819
DAQmxGetCIPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDigFltrMinPulseWidth
DAQmxGetCIPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIPeriodDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2820
DAQmxSetCIPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDigFltrMinPulseWidth
DAQmxSetCIPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIPeriodDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2821
DAQmxResetCIPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDigFltrMinPulseWidth
DAQmxResetCIPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIPeriodDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2823
DAQmxGetCIPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDigFltrTimebaseSrc
DAQmxGetCIPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIPeriodDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2824
DAQmxSetCIPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDigFltrTimebaseSrc
DAQmxSetCIPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIPeriodDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2825
DAQmxResetCIPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDigFltrTimebaseSrc
DAQmxResetCIPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIPeriodDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2827
DAQmxGetCIPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDigFltrTimebaseRate
DAQmxGetCIPeriodDigFltrTimebaseRate.restype = int32
# DAQmxGetCIPeriodDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2828
DAQmxSetCIPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDigFltrTimebaseRate
DAQmxSetCIPeriodDigFltrTimebaseRate.restype = int32
# DAQmxSetCIPeriodDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2829
DAQmxResetCIPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDigFltrTimebaseRate
DAQmxResetCIPeriodDigFltrTimebaseRate.restype = int32
# DAQmxResetCIPeriodDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2831
DAQmxGetCIPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIPeriodDigSyncEnable
DAQmxGetCIPeriodDigSyncEnable.restype = int32
# DAQmxGetCIPeriodDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIPeriodDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2832
DAQmxSetCIPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIPeriodDigSyncEnable
DAQmxSetCIPeriodDigSyncEnable.restype = int32
# DAQmxSetCIPeriodDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIPeriodDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2833
DAQmxResetCIPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIPeriodDigSyncEnable
DAQmxResetCIPeriodDigSyncEnable.restype = int32
# DAQmxResetCIPeriodDigSyncEnable(taskHandle, channel)
DAQmxResetCIPeriodDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2835
DAQmxGetCICountEdgesTerm = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesTerm
DAQmxGetCICountEdgesTerm.restype = int32
# DAQmxGetCICountEdgesTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCICountEdgesTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2836
DAQmxSetCICountEdgesTerm = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesTerm
DAQmxSetCICountEdgesTerm.restype = int32
# DAQmxSetCICountEdgesTerm(taskHandle, channel, data)
DAQmxSetCICountEdgesTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2837
DAQmxResetCICountEdgesTerm = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesTerm
DAQmxResetCICountEdgesTerm.restype = int32
# DAQmxResetCICountEdgesTerm(taskHandle, channel)
DAQmxResetCICountEdgesTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2840
DAQmxGetCICountEdgesDir = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDir
DAQmxGetCICountEdgesDir.restype = int32
# DAQmxGetCICountEdgesDir(taskHandle, channel, data)
DAQmxGetCICountEdgesDir.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2841
DAQmxSetCICountEdgesDir = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDir
DAQmxSetCICountEdgesDir.restype = int32
# DAQmxSetCICountEdgesDir(taskHandle, channel, data)
DAQmxSetCICountEdgesDir.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2842
DAQmxResetCICountEdgesDir = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDir
DAQmxResetCICountEdgesDir.restype = int32
# DAQmxResetCICountEdgesDir(taskHandle, channel)
DAQmxResetCICountEdgesDir.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2844
DAQmxGetCICountEdgesDirTerm = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDirTerm
DAQmxGetCICountEdgesDirTerm.restype = int32
# DAQmxGetCICountEdgesDirTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCICountEdgesDirTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2845
DAQmxSetCICountEdgesDirTerm = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDirTerm
DAQmxSetCICountEdgesDirTerm.restype = int32
# DAQmxSetCICountEdgesDirTerm(taskHandle, channel, data)
DAQmxSetCICountEdgesDirTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2846
DAQmxResetCICountEdgesDirTerm = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDirTerm
DAQmxResetCICountEdgesDirTerm.restype = int32
# DAQmxResetCICountEdgesDirTerm(taskHandle, channel)
DAQmxResetCICountEdgesDirTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2848
DAQmxGetCICountEdgesCountDirDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesCountDirDigFltrEnable
DAQmxGetCICountEdgesCountDirDigFltrEnable.restype = int32
# DAQmxGetCICountEdgesCountDirDigFltrEnable(taskHandle, channel, data)
DAQmxGetCICountEdgesCountDirDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2849
DAQmxSetCICountEdgesCountDirDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesCountDirDigFltrEnable
DAQmxSetCICountEdgesCountDirDigFltrEnable.restype = int32
# DAQmxSetCICountEdgesCountDirDigFltrEnable(taskHandle, channel, data)
DAQmxSetCICountEdgesCountDirDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2850
DAQmxResetCICountEdgesCountDirDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesCountDirDigFltrEnable
DAQmxResetCICountEdgesCountDirDigFltrEnable.restype = int32
# DAQmxResetCICountEdgesCountDirDigFltrEnable(taskHandle, channel)
DAQmxResetCICountEdgesCountDirDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2852
DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth
DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth.restype = int32
# DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2853
DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth
DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth.restype = int32
# DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2854
DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth
DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth.restype = int32
# DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2856
DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc
DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc.restype = int32
# DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2857
DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc
DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc.restype = int32
# DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2858
DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc
DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc.restype = int32
# DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2860
DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate
DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate.restype = int32
# DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2861
DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate
DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate.restype = int32
# DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2862
DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate
DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate.restype = int32
# DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2864
DAQmxGetCICountEdgesCountDirDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesCountDirDigSyncEnable
DAQmxGetCICountEdgesCountDirDigSyncEnable.restype = int32
# DAQmxGetCICountEdgesCountDirDigSyncEnable(taskHandle, channel, data)
DAQmxGetCICountEdgesCountDirDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2865
DAQmxSetCICountEdgesCountDirDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesCountDirDigSyncEnable
DAQmxSetCICountEdgesCountDirDigSyncEnable.restype = int32
# DAQmxSetCICountEdgesCountDirDigSyncEnable(taskHandle, channel, data)
DAQmxSetCICountEdgesCountDirDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2866
DAQmxResetCICountEdgesCountDirDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesCountDirDigSyncEnable
DAQmxResetCICountEdgesCountDirDigSyncEnable.restype = int32
# DAQmxResetCICountEdgesCountDirDigSyncEnable(taskHandle, channel)
DAQmxResetCICountEdgesCountDirDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2868
DAQmxGetCICountEdgesInitialCnt = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesInitialCnt
DAQmxGetCICountEdgesInitialCnt.restype = int32
# DAQmxGetCICountEdgesInitialCnt(taskHandle, channel, data)
DAQmxGetCICountEdgesInitialCnt.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2869
DAQmxSetCICountEdgesInitialCnt = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesInitialCnt
DAQmxSetCICountEdgesInitialCnt.restype = int32
# DAQmxSetCICountEdgesInitialCnt(taskHandle, channel, data)
DAQmxSetCICountEdgesInitialCnt.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2870
DAQmxResetCICountEdgesInitialCnt = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesInitialCnt
DAQmxResetCICountEdgesInitialCnt.restype = int32
# DAQmxResetCICountEdgesInitialCnt(taskHandle, channel)
DAQmxResetCICountEdgesInitialCnt.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2873
DAQmxGetCICountEdgesActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesActiveEdge
DAQmxGetCICountEdgesActiveEdge.restype = int32
# DAQmxGetCICountEdgesActiveEdge(taskHandle, channel, data)
DAQmxGetCICountEdgesActiveEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2874
DAQmxSetCICountEdgesActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesActiveEdge
DAQmxSetCICountEdgesActiveEdge.restype = int32
# DAQmxSetCICountEdgesActiveEdge(taskHandle, channel, data)
DAQmxSetCICountEdgesActiveEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2875
DAQmxResetCICountEdgesActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesActiveEdge
DAQmxResetCICountEdgesActiveEdge.restype = int32
# DAQmxResetCICountEdgesActiveEdge(taskHandle, channel)
DAQmxResetCICountEdgesActiveEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2877
DAQmxGetCICountEdgesDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDigFltrEnable
DAQmxGetCICountEdgesDigFltrEnable.restype = int32
# DAQmxGetCICountEdgesDigFltrEnable(taskHandle, channel, data)
DAQmxGetCICountEdgesDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2878
DAQmxSetCICountEdgesDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDigFltrEnable
DAQmxSetCICountEdgesDigFltrEnable.restype = int32
# DAQmxSetCICountEdgesDigFltrEnable(taskHandle, channel, data)
DAQmxSetCICountEdgesDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2879
DAQmxResetCICountEdgesDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDigFltrEnable
DAQmxResetCICountEdgesDigFltrEnable.restype = int32
# DAQmxResetCICountEdgesDigFltrEnable(taskHandle, channel)
DAQmxResetCICountEdgesDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2881
DAQmxGetCICountEdgesDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDigFltrMinPulseWidth
DAQmxGetCICountEdgesDigFltrMinPulseWidth.restype = int32
# DAQmxGetCICountEdgesDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCICountEdgesDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2882
DAQmxSetCICountEdgesDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDigFltrMinPulseWidth
DAQmxSetCICountEdgesDigFltrMinPulseWidth.restype = int32
# DAQmxSetCICountEdgesDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCICountEdgesDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2883
DAQmxResetCICountEdgesDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDigFltrMinPulseWidth
DAQmxResetCICountEdgesDigFltrMinPulseWidth.restype = int32
# DAQmxResetCICountEdgesDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCICountEdgesDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2885
DAQmxGetCICountEdgesDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDigFltrTimebaseSrc
DAQmxGetCICountEdgesDigFltrTimebaseSrc.restype = int32
# DAQmxGetCICountEdgesDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCICountEdgesDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2886
DAQmxSetCICountEdgesDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDigFltrTimebaseSrc
DAQmxSetCICountEdgesDigFltrTimebaseSrc.restype = int32
# DAQmxSetCICountEdgesDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCICountEdgesDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2887
DAQmxResetCICountEdgesDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDigFltrTimebaseSrc
DAQmxResetCICountEdgesDigFltrTimebaseSrc.restype = int32
# DAQmxResetCICountEdgesDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCICountEdgesDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2889
DAQmxGetCICountEdgesDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDigFltrTimebaseRate
DAQmxGetCICountEdgesDigFltrTimebaseRate.restype = int32
# DAQmxGetCICountEdgesDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCICountEdgesDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2890
DAQmxSetCICountEdgesDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDigFltrTimebaseRate
DAQmxSetCICountEdgesDigFltrTimebaseRate.restype = int32
# DAQmxSetCICountEdgesDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCICountEdgesDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2891
DAQmxResetCICountEdgesDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDigFltrTimebaseRate
DAQmxResetCICountEdgesDigFltrTimebaseRate.restype = int32
# DAQmxResetCICountEdgesDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCICountEdgesDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2893
DAQmxGetCICountEdgesDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICountEdgesDigSyncEnable
DAQmxGetCICountEdgesDigSyncEnable.restype = int32
# DAQmxGetCICountEdgesDigSyncEnable(taskHandle, channel, data)
DAQmxGetCICountEdgesDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2894
DAQmxSetCICountEdgesDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICountEdgesDigSyncEnable
DAQmxSetCICountEdgesDigSyncEnable.restype = int32
# DAQmxSetCICountEdgesDigSyncEnable(taskHandle, channel, data)
DAQmxSetCICountEdgesDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2895
DAQmxResetCICountEdgesDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICountEdgesDigSyncEnable
DAQmxResetCICountEdgesDigSyncEnable.restype = int32
# DAQmxResetCICountEdgesDigSyncEnable(taskHandle, channel)
DAQmxResetCICountEdgesDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2898
DAQmxGetCIAngEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxGetCIAngEncoderUnits
DAQmxGetCIAngEncoderUnits.restype = int32
# DAQmxGetCIAngEncoderUnits(taskHandle, channel, data)
DAQmxGetCIAngEncoderUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2899
DAQmxSetCIAngEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxSetCIAngEncoderUnits
DAQmxSetCIAngEncoderUnits.restype = int32
# DAQmxSetCIAngEncoderUnits(taskHandle, channel, data)
DAQmxSetCIAngEncoderUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2900
DAQmxResetCIAngEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxResetCIAngEncoderUnits
DAQmxResetCIAngEncoderUnits.restype = int32
# DAQmxResetCIAngEncoderUnits(taskHandle, channel)
DAQmxResetCIAngEncoderUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2902
DAQmxGetCIAngEncoderPulsesPerRev = _stdcall_libraries['nicaiu'].DAQmxGetCIAngEncoderPulsesPerRev
DAQmxGetCIAngEncoderPulsesPerRev.restype = int32
# DAQmxGetCIAngEncoderPulsesPerRev(taskHandle, channel, data)
DAQmxGetCIAngEncoderPulsesPerRev.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 2903
DAQmxSetCIAngEncoderPulsesPerRev = _stdcall_libraries['nicaiu'].DAQmxSetCIAngEncoderPulsesPerRev
DAQmxSetCIAngEncoderPulsesPerRev.restype = int32
# DAQmxSetCIAngEncoderPulsesPerRev(taskHandle, channel, data)
DAQmxSetCIAngEncoderPulsesPerRev.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 2904
DAQmxResetCIAngEncoderPulsesPerRev = _stdcall_libraries['nicaiu'].DAQmxResetCIAngEncoderPulsesPerRev
DAQmxResetCIAngEncoderPulsesPerRev.restype = int32
# DAQmxResetCIAngEncoderPulsesPerRev(taskHandle, channel)
DAQmxResetCIAngEncoderPulsesPerRev.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2906
DAQmxGetCIAngEncoderInitialAngle = _stdcall_libraries['nicaiu'].DAQmxGetCIAngEncoderInitialAngle
DAQmxGetCIAngEncoderInitialAngle.restype = int32
# DAQmxGetCIAngEncoderInitialAngle(taskHandle, channel, data)
DAQmxGetCIAngEncoderInitialAngle.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2907
DAQmxSetCIAngEncoderInitialAngle = _stdcall_libraries['nicaiu'].DAQmxSetCIAngEncoderInitialAngle
DAQmxSetCIAngEncoderInitialAngle.restype = int32
# DAQmxSetCIAngEncoderInitialAngle(taskHandle, channel, data)
DAQmxSetCIAngEncoderInitialAngle.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2908
DAQmxResetCIAngEncoderInitialAngle = _stdcall_libraries['nicaiu'].DAQmxResetCIAngEncoderInitialAngle
DAQmxResetCIAngEncoderInitialAngle.restype = int32
# DAQmxResetCIAngEncoderInitialAngle(taskHandle, channel)
DAQmxResetCIAngEncoderInitialAngle.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2911
DAQmxGetCILinEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxGetCILinEncoderUnits
DAQmxGetCILinEncoderUnits.restype = int32
# DAQmxGetCILinEncoderUnits(taskHandle, channel, data)
DAQmxGetCILinEncoderUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2912
DAQmxSetCILinEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxSetCILinEncoderUnits
DAQmxSetCILinEncoderUnits.restype = int32
# DAQmxSetCILinEncoderUnits(taskHandle, channel, data)
DAQmxSetCILinEncoderUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2913
DAQmxResetCILinEncoderUnits = _stdcall_libraries['nicaiu'].DAQmxResetCILinEncoderUnits
DAQmxResetCILinEncoderUnits.restype = int32
# DAQmxResetCILinEncoderUnits(taskHandle, channel)
DAQmxResetCILinEncoderUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2915
DAQmxGetCILinEncoderDistPerPulse = _stdcall_libraries['nicaiu'].DAQmxGetCILinEncoderDistPerPulse
DAQmxGetCILinEncoderDistPerPulse.restype = int32
# DAQmxGetCILinEncoderDistPerPulse(taskHandle, channel, data)
DAQmxGetCILinEncoderDistPerPulse.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2916
DAQmxSetCILinEncoderDistPerPulse = _stdcall_libraries['nicaiu'].DAQmxSetCILinEncoderDistPerPulse
DAQmxSetCILinEncoderDistPerPulse.restype = int32
# DAQmxSetCILinEncoderDistPerPulse(taskHandle, channel, data)
DAQmxSetCILinEncoderDistPerPulse.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2917
DAQmxResetCILinEncoderDistPerPulse = _stdcall_libraries['nicaiu'].DAQmxResetCILinEncoderDistPerPulse
DAQmxResetCILinEncoderDistPerPulse.restype = int32
# DAQmxResetCILinEncoderDistPerPulse(taskHandle, channel)
DAQmxResetCILinEncoderDistPerPulse.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2919
DAQmxGetCILinEncoderInitialPos = _stdcall_libraries['nicaiu'].DAQmxGetCILinEncoderInitialPos
DAQmxGetCILinEncoderInitialPos.restype = int32
# DAQmxGetCILinEncoderInitialPos(taskHandle, channel, data)
DAQmxGetCILinEncoderInitialPos.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2920
DAQmxSetCILinEncoderInitialPos = _stdcall_libraries['nicaiu'].DAQmxSetCILinEncoderInitialPos
DAQmxSetCILinEncoderInitialPos.restype = int32
# DAQmxSetCILinEncoderInitialPos(taskHandle, channel, data)
DAQmxSetCILinEncoderInitialPos.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2921
DAQmxResetCILinEncoderInitialPos = _stdcall_libraries['nicaiu'].DAQmxResetCILinEncoderInitialPos
DAQmxResetCILinEncoderInitialPos.restype = int32
# DAQmxResetCILinEncoderInitialPos(taskHandle, channel)
DAQmxResetCILinEncoderInitialPos.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2924
DAQmxGetCIEncoderDecodingType = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderDecodingType
DAQmxGetCIEncoderDecodingType.restype = int32
# DAQmxGetCIEncoderDecodingType(taskHandle, channel, data)
DAQmxGetCIEncoderDecodingType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 2925
DAQmxSetCIEncoderDecodingType = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderDecodingType
DAQmxSetCIEncoderDecodingType.restype = int32
# DAQmxSetCIEncoderDecodingType(taskHandle, channel, data)
DAQmxSetCIEncoderDecodingType.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 2926
DAQmxResetCIEncoderDecodingType = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderDecodingType
DAQmxResetCIEncoderDecodingType.restype = int32
# DAQmxResetCIEncoderDecodingType(taskHandle, channel)
DAQmxResetCIEncoderDecodingType.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2928
DAQmxGetCIEncoderAInputTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputTerm
DAQmxGetCIEncoderAInputTerm.restype = int32
# DAQmxGetCIEncoderAInputTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderAInputTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2929
DAQmxSetCIEncoderAInputTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputTerm
DAQmxSetCIEncoderAInputTerm.restype = int32
# DAQmxSetCIEncoderAInputTerm(taskHandle, channel, data)
DAQmxSetCIEncoderAInputTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2930
DAQmxResetCIEncoderAInputTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputTerm
DAQmxResetCIEncoderAInputTerm.restype = int32
# DAQmxResetCIEncoderAInputTerm(taskHandle, channel)
DAQmxResetCIEncoderAInputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2932
DAQmxGetCIEncoderAInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputDigFltrEnable
DAQmxGetCIEncoderAInputDigFltrEnable.restype = int32
# DAQmxGetCIEncoderAInputDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIEncoderAInputDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2933
DAQmxSetCIEncoderAInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputDigFltrEnable
DAQmxSetCIEncoderAInputDigFltrEnable.restype = int32
# DAQmxSetCIEncoderAInputDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIEncoderAInputDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2934
DAQmxResetCIEncoderAInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputDigFltrEnable
DAQmxResetCIEncoderAInputDigFltrEnable.restype = int32
# DAQmxResetCIEncoderAInputDigFltrEnable(taskHandle, channel)
DAQmxResetCIEncoderAInputDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2936
DAQmxGetCIEncoderAInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputDigFltrMinPulseWidth
DAQmxGetCIEncoderAInputDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIEncoderAInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIEncoderAInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2937
DAQmxSetCIEncoderAInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputDigFltrMinPulseWidth
DAQmxSetCIEncoderAInputDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIEncoderAInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIEncoderAInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2938
DAQmxResetCIEncoderAInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputDigFltrMinPulseWidth
DAQmxResetCIEncoderAInputDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIEncoderAInputDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIEncoderAInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2940
DAQmxGetCIEncoderAInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputDigFltrTimebaseSrc
DAQmxGetCIEncoderAInputDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIEncoderAInputDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderAInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2941
DAQmxSetCIEncoderAInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputDigFltrTimebaseSrc
DAQmxSetCIEncoderAInputDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIEncoderAInputDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIEncoderAInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2942
DAQmxResetCIEncoderAInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputDigFltrTimebaseSrc
DAQmxResetCIEncoderAInputDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIEncoderAInputDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIEncoderAInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2944
DAQmxGetCIEncoderAInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputDigFltrTimebaseRate
DAQmxGetCIEncoderAInputDigFltrTimebaseRate.restype = int32
# DAQmxGetCIEncoderAInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIEncoderAInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2945
DAQmxSetCIEncoderAInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputDigFltrTimebaseRate
DAQmxSetCIEncoderAInputDigFltrTimebaseRate.restype = int32
# DAQmxSetCIEncoderAInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIEncoderAInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2946
DAQmxResetCIEncoderAInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputDigFltrTimebaseRate
DAQmxResetCIEncoderAInputDigFltrTimebaseRate.restype = int32
# DAQmxResetCIEncoderAInputDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIEncoderAInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2948
DAQmxGetCIEncoderAInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderAInputDigSyncEnable
DAQmxGetCIEncoderAInputDigSyncEnable.restype = int32
# DAQmxGetCIEncoderAInputDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIEncoderAInputDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2949
DAQmxSetCIEncoderAInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderAInputDigSyncEnable
DAQmxSetCIEncoderAInputDigSyncEnable.restype = int32
# DAQmxSetCIEncoderAInputDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIEncoderAInputDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2950
DAQmxResetCIEncoderAInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderAInputDigSyncEnable
DAQmxResetCIEncoderAInputDigSyncEnable.restype = int32
# DAQmxResetCIEncoderAInputDigSyncEnable(taskHandle, channel)
DAQmxResetCIEncoderAInputDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2952
DAQmxGetCIEncoderBInputTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputTerm
DAQmxGetCIEncoderBInputTerm.restype = int32
# DAQmxGetCIEncoderBInputTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderBInputTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2953
DAQmxSetCIEncoderBInputTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputTerm
DAQmxSetCIEncoderBInputTerm.restype = int32
# DAQmxSetCIEncoderBInputTerm(taskHandle, channel, data)
DAQmxSetCIEncoderBInputTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2954
DAQmxResetCIEncoderBInputTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputTerm
DAQmxResetCIEncoderBInputTerm.restype = int32
# DAQmxResetCIEncoderBInputTerm(taskHandle, channel)
DAQmxResetCIEncoderBInputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2956
DAQmxGetCIEncoderBInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputDigFltrEnable
DAQmxGetCIEncoderBInputDigFltrEnable.restype = int32
# DAQmxGetCIEncoderBInputDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIEncoderBInputDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2957
DAQmxSetCIEncoderBInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputDigFltrEnable
DAQmxSetCIEncoderBInputDigFltrEnable.restype = int32
# DAQmxSetCIEncoderBInputDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIEncoderBInputDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2958
DAQmxResetCIEncoderBInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputDigFltrEnable
DAQmxResetCIEncoderBInputDigFltrEnable.restype = int32
# DAQmxResetCIEncoderBInputDigFltrEnable(taskHandle, channel)
DAQmxResetCIEncoderBInputDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2960
DAQmxGetCIEncoderBInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputDigFltrMinPulseWidth
DAQmxGetCIEncoderBInputDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIEncoderBInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIEncoderBInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2961
DAQmxSetCIEncoderBInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputDigFltrMinPulseWidth
DAQmxSetCIEncoderBInputDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIEncoderBInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIEncoderBInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2962
DAQmxResetCIEncoderBInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputDigFltrMinPulseWidth
DAQmxResetCIEncoderBInputDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIEncoderBInputDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIEncoderBInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2964
DAQmxGetCIEncoderBInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputDigFltrTimebaseSrc
DAQmxGetCIEncoderBInputDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIEncoderBInputDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderBInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2965
DAQmxSetCIEncoderBInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputDigFltrTimebaseSrc
DAQmxSetCIEncoderBInputDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIEncoderBInputDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIEncoderBInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2966
DAQmxResetCIEncoderBInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputDigFltrTimebaseSrc
DAQmxResetCIEncoderBInputDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIEncoderBInputDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIEncoderBInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2968
DAQmxGetCIEncoderBInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputDigFltrTimebaseRate
DAQmxGetCIEncoderBInputDigFltrTimebaseRate.restype = int32
# DAQmxGetCIEncoderBInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIEncoderBInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2969
DAQmxSetCIEncoderBInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputDigFltrTimebaseRate
DAQmxSetCIEncoderBInputDigFltrTimebaseRate.restype = int32
# DAQmxSetCIEncoderBInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIEncoderBInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2970
DAQmxResetCIEncoderBInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputDigFltrTimebaseRate
DAQmxResetCIEncoderBInputDigFltrTimebaseRate.restype = int32
# DAQmxResetCIEncoderBInputDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIEncoderBInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2972
DAQmxGetCIEncoderBInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderBInputDigSyncEnable
DAQmxGetCIEncoderBInputDigSyncEnable.restype = int32
# DAQmxGetCIEncoderBInputDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIEncoderBInputDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2973
DAQmxSetCIEncoderBInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderBInputDigSyncEnable
DAQmxSetCIEncoderBInputDigSyncEnable.restype = int32
# DAQmxSetCIEncoderBInputDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIEncoderBInputDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2974
DAQmxResetCIEncoderBInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderBInputDigSyncEnable
DAQmxResetCIEncoderBInputDigSyncEnable.restype = int32
# DAQmxResetCIEncoderBInputDigSyncEnable(taskHandle, channel)
DAQmxResetCIEncoderBInputDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2976
DAQmxGetCIEncoderZInputTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputTerm
DAQmxGetCIEncoderZInputTerm.restype = int32
# DAQmxGetCIEncoderZInputTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderZInputTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2977
DAQmxSetCIEncoderZInputTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputTerm
DAQmxSetCIEncoderZInputTerm.restype = int32
# DAQmxSetCIEncoderZInputTerm(taskHandle, channel, data)
DAQmxSetCIEncoderZInputTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2978
DAQmxResetCIEncoderZInputTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputTerm
DAQmxResetCIEncoderZInputTerm.restype = int32
# DAQmxResetCIEncoderZInputTerm(taskHandle, channel)
DAQmxResetCIEncoderZInputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2980
DAQmxGetCIEncoderZInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputDigFltrEnable
DAQmxGetCIEncoderZInputDigFltrEnable.restype = int32
# DAQmxGetCIEncoderZInputDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIEncoderZInputDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2981
DAQmxSetCIEncoderZInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputDigFltrEnable
DAQmxSetCIEncoderZInputDigFltrEnable.restype = int32
# DAQmxSetCIEncoderZInputDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIEncoderZInputDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2982
DAQmxResetCIEncoderZInputDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputDigFltrEnable
DAQmxResetCIEncoderZInputDigFltrEnable.restype = int32
# DAQmxResetCIEncoderZInputDigFltrEnable(taskHandle, channel)
DAQmxResetCIEncoderZInputDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2984
DAQmxGetCIEncoderZInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputDigFltrMinPulseWidth
DAQmxGetCIEncoderZInputDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIEncoderZInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIEncoderZInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2985
DAQmxSetCIEncoderZInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputDigFltrMinPulseWidth
DAQmxSetCIEncoderZInputDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIEncoderZInputDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIEncoderZInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2986
DAQmxResetCIEncoderZInputDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputDigFltrMinPulseWidth
DAQmxResetCIEncoderZInputDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIEncoderZInputDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIEncoderZInputDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2988
DAQmxGetCIEncoderZInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputDigFltrTimebaseSrc
DAQmxGetCIEncoderZInputDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIEncoderZInputDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIEncoderZInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 2989
DAQmxSetCIEncoderZInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputDigFltrTimebaseSrc
DAQmxSetCIEncoderZInputDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIEncoderZInputDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIEncoderZInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 2990
DAQmxResetCIEncoderZInputDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputDigFltrTimebaseSrc
DAQmxResetCIEncoderZInputDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIEncoderZInputDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIEncoderZInputDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2992
DAQmxGetCIEncoderZInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputDigFltrTimebaseRate
DAQmxGetCIEncoderZInputDigFltrTimebaseRate.restype = int32
# DAQmxGetCIEncoderZInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIEncoderZInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 2993
DAQmxSetCIEncoderZInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputDigFltrTimebaseRate
DAQmxSetCIEncoderZInputDigFltrTimebaseRate.restype = int32
# DAQmxSetCIEncoderZInputDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIEncoderZInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 2994
DAQmxResetCIEncoderZInputDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputDigFltrTimebaseRate
DAQmxResetCIEncoderZInputDigFltrTimebaseRate.restype = int32
# DAQmxResetCIEncoderZInputDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIEncoderZInputDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 2996
DAQmxGetCIEncoderZInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZInputDigSyncEnable
DAQmxGetCIEncoderZInputDigSyncEnable.restype = int32
# DAQmxGetCIEncoderZInputDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIEncoderZInputDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 2997
DAQmxSetCIEncoderZInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZInputDigSyncEnable
DAQmxSetCIEncoderZInputDigSyncEnable.restype = int32
# DAQmxSetCIEncoderZInputDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIEncoderZInputDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 2998
DAQmxResetCIEncoderZInputDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZInputDigSyncEnable
DAQmxResetCIEncoderZInputDigSyncEnable.restype = int32
# DAQmxResetCIEncoderZInputDigSyncEnable(taskHandle, channel)
DAQmxResetCIEncoderZInputDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3000
DAQmxGetCIEncoderZIndexEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZIndexEnable
DAQmxGetCIEncoderZIndexEnable.restype = int32
# DAQmxGetCIEncoderZIndexEnable(taskHandle, channel, data)
DAQmxGetCIEncoderZIndexEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3001
DAQmxSetCIEncoderZIndexEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZIndexEnable
DAQmxSetCIEncoderZIndexEnable.restype = int32
# DAQmxSetCIEncoderZIndexEnable(taskHandle, channel, data)
DAQmxSetCIEncoderZIndexEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3002
DAQmxResetCIEncoderZIndexEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZIndexEnable
DAQmxResetCIEncoderZIndexEnable.restype = int32
# DAQmxResetCIEncoderZIndexEnable(taskHandle, channel)
DAQmxResetCIEncoderZIndexEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3004
DAQmxGetCIEncoderZIndexVal = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZIndexVal
DAQmxGetCIEncoderZIndexVal.restype = int32
# DAQmxGetCIEncoderZIndexVal(taskHandle, channel, data)
DAQmxGetCIEncoderZIndexVal.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3005
DAQmxSetCIEncoderZIndexVal = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZIndexVal
DAQmxSetCIEncoderZIndexVal.restype = int32
# DAQmxSetCIEncoderZIndexVal(taskHandle, channel, data)
DAQmxSetCIEncoderZIndexVal.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3006
DAQmxResetCIEncoderZIndexVal = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZIndexVal
DAQmxResetCIEncoderZIndexVal.restype = int32
# DAQmxResetCIEncoderZIndexVal(taskHandle, channel)
DAQmxResetCIEncoderZIndexVal.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3009
DAQmxGetCIEncoderZIndexPhase = _stdcall_libraries['nicaiu'].DAQmxGetCIEncoderZIndexPhase
DAQmxGetCIEncoderZIndexPhase.restype = int32
# DAQmxGetCIEncoderZIndexPhase(taskHandle, channel, data)
DAQmxGetCIEncoderZIndexPhase.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3010
DAQmxSetCIEncoderZIndexPhase = _stdcall_libraries['nicaiu'].DAQmxSetCIEncoderZIndexPhase
DAQmxSetCIEncoderZIndexPhase.restype = int32
# DAQmxSetCIEncoderZIndexPhase(taskHandle, channel, data)
DAQmxSetCIEncoderZIndexPhase.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3011
DAQmxResetCIEncoderZIndexPhase = _stdcall_libraries['nicaiu'].DAQmxResetCIEncoderZIndexPhase
DAQmxResetCIEncoderZIndexPhase.restype = int32
# DAQmxResetCIEncoderZIndexPhase(taskHandle, channel)
DAQmxResetCIEncoderZIndexPhase.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3014
DAQmxGetCIPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthUnits
DAQmxGetCIPulseWidthUnits.restype = int32
# DAQmxGetCIPulseWidthUnits(taskHandle, channel, data)
DAQmxGetCIPulseWidthUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3015
DAQmxSetCIPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthUnits
DAQmxSetCIPulseWidthUnits.restype = int32
# DAQmxSetCIPulseWidthUnits(taskHandle, channel, data)
DAQmxSetCIPulseWidthUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3016
DAQmxResetCIPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthUnits
DAQmxResetCIPulseWidthUnits.restype = int32
# DAQmxResetCIPulseWidthUnits(taskHandle, channel)
DAQmxResetCIPulseWidthUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3018
DAQmxGetCIPulseWidthTerm = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthTerm
DAQmxGetCIPulseWidthTerm.restype = int32
# DAQmxGetCIPulseWidthTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCIPulseWidthTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3019
DAQmxSetCIPulseWidthTerm = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthTerm
DAQmxSetCIPulseWidthTerm.restype = int32
# DAQmxSetCIPulseWidthTerm(taskHandle, channel, data)
DAQmxSetCIPulseWidthTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3020
DAQmxResetCIPulseWidthTerm = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthTerm
DAQmxResetCIPulseWidthTerm.restype = int32
# DAQmxResetCIPulseWidthTerm(taskHandle, channel)
DAQmxResetCIPulseWidthTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3023
DAQmxGetCIPulseWidthStartingEdge = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthStartingEdge
DAQmxGetCIPulseWidthStartingEdge.restype = int32
# DAQmxGetCIPulseWidthStartingEdge(taskHandle, channel, data)
DAQmxGetCIPulseWidthStartingEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3024
DAQmxSetCIPulseWidthStartingEdge = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthStartingEdge
DAQmxSetCIPulseWidthStartingEdge.restype = int32
# DAQmxSetCIPulseWidthStartingEdge(taskHandle, channel, data)
DAQmxSetCIPulseWidthStartingEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3025
DAQmxResetCIPulseWidthStartingEdge = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthStartingEdge
DAQmxResetCIPulseWidthStartingEdge.restype = int32
# DAQmxResetCIPulseWidthStartingEdge(taskHandle, channel)
DAQmxResetCIPulseWidthStartingEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3027
DAQmxGetCIPulseWidthDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthDigFltrEnable
DAQmxGetCIPulseWidthDigFltrEnable.restype = int32
# DAQmxGetCIPulseWidthDigFltrEnable(taskHandle, channel, data)
DAQmxGetCIPulseWidthDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3028
DAQmxSetCIPulseWidthDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthDigFltrEnable
DAQmxSetCIPulseWidthDigFltrEnable.restype = int32
# DAQmxSetCIPulseWidthDigFltrEnable(taskHandle, channel, data)
DAQmxSetCIPulseWidthDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3029
DAQmxResetCIPulseWidthDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthDigFltrEnable
DAQmxResetCIPulseWidthDigFltrEnable.restype = int32
# DAQmxResetCIPulseWidthDigFltrEnable(taskHandle, channel)
DAQmxResetCIPulseWidthDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3031
DAQmxGetCIPulseWidthDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthDigFltrMinPulseWidth
DAQmxGetCIPulseWidthDigFltrMinPulseWidth.restype = int32
# DAQmxGetCIPulseWidthDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCIPulseWidthDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3032
DAQmxSetCIPulseWidthDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthDigFltrMinPulseWidth
DAQmxSetCIPulseWidthDigFltrMinPulseWidth.restype = int32
# DAQmxSetCIPulseWidthDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCIPulseWidthDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3033
DAQmxResetCIPulseWidthDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthDigFltrMinPulseWidth
DAQmxResetCIPulseWidthDigFltrMinPulseWidth.restype = int32
# DAQmxResetCIPulseWidthDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCIPulseWidthDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3035
DAQmxGetCIPulseWidthDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthDigFltrTimebaseSrc
DAQmxGetCIPulseWidthDigFltrTimebaseSrc.restype = int32
# DAQmxGetCIPulseWidthDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIPulseWidthDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3036
DAQmxSetCIPulseWidthDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthDigFltrTimebaseSrc
DAQmxSetCIPulseWidthDigFltrTimebaseSrc.restype = int32
# DAQmxSetCIPulseWidthDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCIPulseWidthDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3037
DAQmxResetCIPulseWidthDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthDigFltrTimebaseSrc
DAQmxResetCIPulseWidthDigFltrTimebaseSrc.restype = int32
# DAQmxResetCIPulseWidthDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCIPulseWidthDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3039
DAQmxGetCIPulseWidthDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthDigFltrTimebaseRate
DAQmxGetCIPulseWidthDigFltrTimebaseRate.restype = int32
# DAQmxGetCIPulseWidthDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCIPulseWidthDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3040
DAQmxSetCIPulseWidthDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthDigFltrTimebaseRate
DAQmxSetCIPulseWidthDigFltrTimebaseRate.restype = int32
# DAQmxSetCIPulseWidthDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCIPulseWidthDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3041
DAQmxResetCIPulseWidthDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthDigFltrTimebaseRate
DAQmxResetCIPulseWidthDigFltrTimebaseRate.restype = int32
# DAQmxResetCIPulseWidthDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCIPulseWidthDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3043
DAQmxGetCIPulseWidthDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCIPulseWidthDigSyncEnable
DAQmxGetCIPulseWidthDigSyncEnable.restype = int32
# DAQmxGetCIPulseWidthDigSyncEnable(taskHandle, channel, data)
DAQmxGetCIPulseWidthDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3044
DAQmxSetCIPulseWidthDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCIPulseWidthDigSyncEnable
DAQmxSetCIPulseWidthDigSyncEnable.restype = int32
# DAQmxSetCIPulseWidthDigSyncEnable(taskHandle, channel, data)
DAQmxSetCIPulseWidthDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3045
DAQmxResetCIPulseWidthDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCIPulseWidthDigSyncEnable
DAQmxResetCIPulseWidthDigSyncEnable.restype = int32
# DAQmxResetCIPulseWidthDigSyncEnable(taskHandle, channel)
DAQmxResetCIPulseWidthDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3048
DAQmxGetCITwoEdgeSepUnits = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepUnits
DAQmxGetCITwoEdgeSepUnits.restype = int32
# DAQmxGetCITwoEdgeSepUnits(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3049
DAQmxSetCITwoEdgeSepUnits = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepUnits
DAQmxSetCITwoEdgeSepUnits.restype = int32
# DAQmxSetCITwoEdgeSepUnits(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3050
DAQmxResetCITwoEdgeSepUnits = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepUnits
DAQmxResetCITwoEdgeSepUnits.restype = int32
# DAQmxResetCITwoEdgeSepUnits(taskHandle, channel)
DAQmxResetCITwoEdgeSepUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3052
DAQmxGetCITwoEdgeSepFirstTerm = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstTerm
DAQmxGetCITwoEdgeSepFirstTerm.restype = int32
# DAQmxGetCITwoEdgeSepFirstTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCITwoEdgeSepFirstTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3053
DAQmxSetCITwoEdgeSepFirstTerm = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstTerm
DAQmxSetCITwoEdgeSepFirstTerm.restype = int32
# DAQmxSetCITwoEdgeSepFirstTerm(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3054
DAQmxResetCITwoEdgeSepFirstTerm = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstTerm
DAQmxResetCITwoEdgeSepFirstTerm.restype = int32
# DAQmxResetCITwoEdgeSepFirstTerm(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3057
DAQmxGetCITwoEdgeSepFirstEdge = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstEdge
DAQmxGetCITwoEdgeSepFirstEdge.restype = int32
# DAQmxGetCITwoEdgeSepFirstEdge(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepFirstEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3058
DAQmxSetCITwoEdgeSepFirstEdge = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstEdge
DAQmxSetCITwoEdgeSepFirstEdge.restype = int32
# DAQmxSetCITwoEdgeSepFirstEdge(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3059
DAQmxResetCITwoEdgeSepFirstEdge = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstEdge
DAQmxResetCITwoEdgeSepFirstEdge.restype = int32
# DAQmxResetCITwoEdgeSepFirstEdge(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3061
DAQmxGetCITwoEdgeSepFirstDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstDigFltrEnable
DAQmxGetCITwoEdgeSepFirstDigFltrEnable.restype = int32
# DAQmxGetCITwoEdgeSepFirstDigFltrEnable(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepFirstDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3062
DAQmxSetCITwoEdgeSepFirstDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstDigFltrEnable
DAQmxSetCITwoEdgeSepFirstDigFltrEnable.restype = int32
# DAQmxSetCITwoEdgeSepFirstDigFltrEnable(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3063
DAQmxResetCITwoEdgeSepFirstDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstDigFltrEnable
DAQmxResetCITwoEdgeSepFirstDigFltrEnable.restype = int32
# DAQmxResetCITwoEdgeSepFirstDigFltrEnable(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3065
DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth
DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth.restype = int32
# DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3066
DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth
DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth.restype = int32
# DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3067
DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth
DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth.restype = int32
# DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3069
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc.restype = int32
# DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3070
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc.restype = int32
# DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3071
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc.restype = int32
# DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3073
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate.restype = int32
# DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3074
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate.restype = int32
# DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3075
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate.restype = int32
# DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3077
DAQmxGetCITwoEdgeSepFirstDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepFirstDigSyncEnable
DAQmxGetCITwoEdgeSepFirstDigSyncEnable.restype = int32
# DAQmxGetCITwoEdgeSepFirstDigSyncEnable(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepFirstDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3078
DAQmxSetCITwoEdgeSepFirstDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepFirstDigSyncEnable
DAQmxSetCITwoEdgeSepFirstDigSyncEnable.restype = int32
# DAQmxSetCITwoEdgeSepFirstDigSyncEnable(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepFirstDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3079
DAQmxResetCITwoEdgeSepFirstDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepFirstDigSyncEnable
DAQmxResetCITwoEdgeSepFirstDigSyncEnable.restype = int32
# DAQmxResetCITwoEdgeSepFirstDigSyncEnable(taskHandle, channel)
DAQmxResetCITwoEdgeSepFirstDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3081
DAQmxGetCITwoEdgeSepSecondTerm = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondTerm
DAQmxGetCITwoEdgeSepSecondTerm.restype = int32
# DAQmxGetCITwoEdgeSepSecondTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCITwoEdgeSepSecondTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3082
DAQmxSetCITwoEdgeSepSecondTerm = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondTerm
DAQmxSetCITwoEdgeSepSecondTerm.restype = int32
# DAQmxSetCITwoEdgeSepSecondTerm(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3083
DAQmxResetCITwoEdgeSepSecondTerm = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondTerm
DAQmxResetCITwoEdgeSepSecondTerm.restype = int32
# DAQmxResetCITwoEdgeSepSecondTerm(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3086
DAQmxGetCITwoEdgeSepSecondEdge = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondEdge
DAQmxGetCITwoEdgeSepSecondEdge.restype = int32
# DAQmxGetCITwoEdgeSepSecondEdge(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepSecondEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3087
DAQmxSetCITwoEdgeSepSecondEdge = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondEdge
DAQmxSetCITwoEdgeSepSecondEdge.restype = int32
# DAQmxSetCITwoEdgeSepSecondEdge(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3088
DAQmxResetCITwoEdgeSepSecondEdge = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondEdge
DAQmxResetCITwoEdgeSepSecondEdge.restype = int32
# DAQmxResetCITwoEdgeSepSecondEdge(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3090
DAQmxGetCITwoEdgeSepSecondDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondDigFltrEnable
DAQmxGetCITwoEdgeSepSecondDigFltrEnable.restype = int32
# DAQmxGetCITwoEdgeSepSecondDigFltrEnable(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepSecondDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3091
DAQmxSetCITwoEdgeSepSecondDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondDigFltrEnable
DAQmxSetCITwoEdgeSepSecondDigFltrEnable.restype = int32
# DAQmxSetCITwoEdgeSepSecondDigFltrEnable(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3092
DAQmxResetCITwoEdgeSepSecondDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondDigFltrEnable
DAQmxResetCITwoEdgeSepSecondDigFltrEnable.restype = int32
# DAQmxResetCITwoEdgeSepSecondDigFltrEnable(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3094
DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth
DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth.restype = int32
# DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3095
DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth
DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth.restype = int32
# DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3096
DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth
DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth.restype = int32
# DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3098
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc.restype = int32
# DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3099
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc.restype = int32
# DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3100
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc.restype = int32
# DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3102
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate.restype = int32
# DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3103
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate.restype = int32
# DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3104
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate.restype = int32
# DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3106
DAQmxGetCITwoEdgeSepSecondDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCITwoEdgeSepSecondDigSyncEnable
DAQmxGetCITwoEdgeSepSecondDigSyncEnable.restype = int32
# DAQmxGetCITwoEdgeSepSecondDigSyncEnable(taskHandle, channel, data)
DAQmxGetCITwoEdgeSepSecondDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3107
DAQmxSetCITwoEdgeSepSecondDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCITwoEdgeSepSecondDigSyncEnable
DAQmxSetCITwoEdgeSepSecondDigSyncEnable.restype = int32
# DAQmxSetCITwoEdgeSepSecondDigSyncEnable(taskHandle, channel, data)
DAQmxSetCITwoEdgeSepSecondDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3108
DAQmxResetCITwoEdgeSepSecondDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCITwoEdgeSepSecondDigSyncEnable
DAQmxResetCITwoEdgeSepSecondDigSyncEnable.restype = int32
# DAQmxResetCITwoEdgeSepSecondDigSyncEnable(taskHandle, channel)
DAQmxResetCITwoEdgeSepSecondDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3111
DAQmxGetCISemiPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodUnits
DAQmxGetCISemiPeriodUnits.restype = int32
# DAQmxGetCISemiPeriodUnits(taskHandle, channel, data)
DAQmxGetCISemiPeriodUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3112
DAQmxSetCISemiPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodUnits
DAQmxSetCISemiPeriodUnits.restype = int32
# DAQmxSetCISemiPeriodUnits(taskHandle, channel, data)
DAQmxSetCISemiPeriodUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3113
DAQmxResetCISemiPeriodUnits = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodUnits
DAQmxResetCISemiPeriodUnits.restype = int32
# DAQmxResetCISemiPeriodUnits(taskHandle, channel)
DAQmxResetCISemiPeriodUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3115
DAQmxGetCISemiPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodTerm
DAQmxGetCISemiPeriodTerm.restype = int32
# DAQmxGetCISemiPeriodTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCISemiPeriodTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3116
DAQmxSetCISemiPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodTerm
DAQmxSetCISemiPeriodTerm.restype = int32
# DAQmxSetCISemiPeriodTerm(taskHandle, channel, data)
DAQmxSetCISemiPeriodTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3117
DAQmxResetCISemiPeriodTerm = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodTerm
DAQmxResetCISemiPeriodTerm.restype = int32
# DAQmxResetCISemiPeriodTerm(taskHandle, channel)
DAQmxResetCISemiPeriodTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3120
DAQmxGetCISemiPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodStartingEdge
DAQmxGetCISemiPeriodStartingEdge.restype = int32
# DAQmxGetCISemiPeriodStartingEdge(taskHandle, channel, data)
DAQmxGetCISemiPeriodStartingEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3121
DAQmxSetCISemiPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodStartingEdge
DAQmxSetCISemiPeriodStartingEdge.restype = int32
# DAQmxSetCISemiPeriodStartingEdge(taskHandle, channel, data)
DAQmxSetCISemiPeriodStartingEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3122
DAQmxResetCISemiPeriodStartingEdge = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodStartingEdge
DAQmxResetCISemiPeriodStartingEdge.restype = int32
# DAQmxResetCISemiPeriodStartingEdge(taskHandle, channel)
DAQmxResetCISemiPeriodStartingEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3124
DAQmxGetCISemiPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodDigFltrEnable
DAQmxGetCISemiPeriodDigFltrEnable.restype = int32
# DAQmxGetCISemiPeriodDigFltrEnable(taskHandle, channel, data)
DAQmxGetCISemiPeriodDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3125
DAQmxSetCISemiPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodDigFltrEnable
DAQmxSetCISemiPeriodDigFltrEnable.restype = int32
# DAQmxSetCISemiPeriodDigFltrEnable(taskHandle, channel, data)
DAQmxSetCISemiPeriodDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3126
DAQmxResetCISemiPeriodDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodDigFltrEnable
DAQmxResetCISemiPeriodDigFltrEnable.restype = int32
# DAQmxResetCISemiPeriodDigFltrEnable(taskHandle, channel)
DAQmxResetCISemiPeriodDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3128
DAQmxGetCISemiPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodDigFltrMinPulseWidth
DAQmxGetCISemiPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxGetCISemiPeriodDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCISemiPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3129
DAQmxSetCISemiPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodDigFltrMinPulseWidth
DAQmxSetCISemiPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxSetCISemiPeriodDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCISemiPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3130
DAQmxResetCISemiPeriodDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodDigFltrMinPulseWidth
DAQmxResetCISemiPeriodDigFltrMinPulseWidth.restype = int32
# DAQmxResetCISemiPeriodDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCISemiPeriodDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3132
DAQmxGetCISemiPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodDigFltrTimebaseSrc
DAQmxGetCISemiPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxGetCISemiPeriodDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCISemiPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3133
DAQmxSetCISemiPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodDigFltrTimebaseSrc
DAQmxSetCISemiPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxSetCISemiPeriodDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCISemiPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3134
DAQmxResetCISemiPeriodDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodDigFltrTimebaseSrc
DAQmxResetCISemiPeriodDigFltrTimebaseSrc.restype = int32
# DAQmxResetCISemiPeriodDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCISemiPeriodDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3136
DAQmxGetCISemiPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodDigFltrTimebaseRate
DAQmxGetCISemiPeriodDigFltrTimebaseRate.restype = int32
# DAQmxGetCISemiPeriodDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCISemiPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3137
DAQmxSetCISemiPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodDigFltrTimebaseRate
DAQmxSetCISemiPeriodDigFltrTimebaseRate.restype = int32
# DAQmxSetCISemiPeriodDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCISemiPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3138
DAQmxResetCISemiPeriodDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodDigFltrTimebaseRate
DAQmxResetCISemiPeriodDigFltrTimebaseRate.restype = int32
# DAQmxResetCISemiPeriodDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCISemiPeriodDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3140
DAQmxGetCISemiPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCISemiPeriodDigSyncEnable
DAQmxGetCISemiPeriodDigSyncEnable.restype = int32
# DAQmxGetCISemiPeriodDigSyncEnable(taskHandle, channel, data)
DAQmxGetCISemiPeriodDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3141
DAQmxSetCISemiPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCISemiPeriodDigSyncEnable
DAQmxSetCISemiPeriodDigSyncEnable.restype = int32
# DAQmxSetCISemiPeriodDigSyncEnable(taskHandle, channel, data)
DAQmxSetCISemiPeriodDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3142
DAQmxResetCISemiPeriodDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCISemiPeriodDigSyncEnable
DAQmxResetCISemiPeriodDigSyncEnable.restype = int32
# DAQmxResetCISemiPeriodDigSyncEnable(taskHandle, channel)
DAQmxResetCISemiPeriodDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3145
DAQmxGetCITimestampUnits = _stdcall_libraries['nicaiu'].DAQmxGetCITimestampUnits
DAQmxGetCITimestampUnits.restype = int32
# DAQmxGetCITimestampUnits(taskHandle, channel, data)
DAQmxGetCITimestampUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3146
DAQmxSetCITimestampUnits = _stdcall_libraries['nicaiu'].DAQmxSetCITimestampUnits
DAQmxSetCITimestampUnits.restype = int32
# DAQmxSetCITimestampUnits(taskHandle, channel, data)
DAQmxSetCITimestampUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3147
DAQmxResetCITimestampUnits = _stdcall_libraries['nicaiu'].DAQmxResetCITimestampUnits
DAQmxResetCITimestampUnits.restype = int32
# DAQmxResetCITimestampUnits(taskHandle, channel)
DAQmxResetCITimestampUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3149
DAQmxGetCITimestampInitialSeconds = _stdcall_libraries['nicaiu'].DAQmxGetCITimestampInitialSeconds
DAQmxGetCITimestampInitialSeconds.restype = int32
# DAQmxGetCITimestampInitialSeconds(taskHandle, channel, data)
DAQmxGetCITimestampInitialSeconds.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3150
DAQmxSetCITimestampInitialSeconds = _stdcall_libraries['nicaiu'].DAQmxSetCITimestampInitialSeconds
DAQmxSetCITimestampInitialSeconds.restype = int32
# DAQmxSetCITimestampInitialSeconds(taskHandle, channel, data)
DAQmxSetCITimestampInitialSeconds.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3151
DAQmxResetCITimestampInitialSeconds = _stdcall_libraries['nicaiu'].DAQmxResetCITimestampInitialSeconds
DAQmxResetCITimestampInitialSeconds.restype = int32
# DAQmxResetCITimestampInitialSeconds(taskHandle, channel)
DAQmxResetCITimestampInitialSeconds.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3154
DAQmxGetCIGPSSyncMethod = _stdcall_libraries['nicaiu'].DAQmxGetCIGPSSyncMethod
DAQmxGetCIGPSSyncMethod.restype = int32
# DAQmxGetCIGPSSyncMethod(taskHandle, channel, data)
DAQmxGetCIGPSSyncMethod.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3155
DAQmxSetCIGPSSyncMethod = _stdcall_libraries['nicaiu'].DAQmxSetCIGPSSyncMethod
DAQmxSetCIGPSSyncMethod.restype = int32
# DAQmxSetCIGPSSyncMethod(taskHandle, channel, data)
DAQmxSetCIGPSSyncMethod.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3156
DAQmxResetCIGPSSyncMethod = _stdcall_libraries['nicaiu'].DAQmxResetCIGPSSyncMethod
DAQmxResetCIGPSSyncMethod.restype = int32
# DAQmxResetCIGPSSyncMethod(taskHandle, channel)
DAQmxResetCIGPSSyncMethod.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3158
DAQmxGetCIGPSSyncSrc = _stdcall_libraries['nicaiu'].DAQmxGetCIGPSSyncSrc
DAQmxGetCIGPSSyncSrc.restype = int32
# DAQmxGetCIGPSSyncSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCIGPSSyncSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3159
DAQmxSetCIGPSSyncSrc = _stdcall_libraries['nicaiu'].DAQmxSetCIGPSSyncSrc
DAQmxSetCIGPSSyncSrc.restype = int32
# DAQmxSetCIGPSSyncSrc(taskHandle, channel, data)
DAQmxSetCIGPSSyncSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3160
DAQmxResetCIGPSSyncSrc = _stdcall_libraries['nicaiu'].DAQmxResetCIGPSSyncSrc
DAQmxResetCIGPSSyncSrc.restype = int32
# DAQmxResetCIGPSSyncSrc(taskHandle, channel)
DAQmxResetCIGPSSyncSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3162
DAQmxGetCICtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseSrc
DAQmxGetCICtrTimebaseSrc.restype = int32
# DAQmxGetCICtrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCICtrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3163
DAQmxSetCICtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseSrc
DAQmxSetCICtrTimebaseSrc.restype = int32
# DAQmxSetCICtrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCICtrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3164
DAQmxResetCICtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseSrc
DAQmxResetCICtrTimebaseSrc.restype = int32
# DAQmxResetCICtrTimebaseSrc(taskHandle, channel)
DAQmxResetCICtrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3166
DAQmxGetCICtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseRate
DAQmxGetCICtrTimebaseRate.restype = int32
# DAQmxGetCICtrTimebaseRate(taskHandle, channel, data)
DAQmxGetCICtrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3167
DAQmxSetCICtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseRate
DAQmxSetCICtrTimebaseRate.restype = int32
# DAQmxSetCICtrTimebaseRate(taskHandle, channel, data)
DAQmxSetCICtrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3168
DAQmxResetCICtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseRate
DAQmxResetCICtrTimebaseRate.restype = int32
# DAQmxResetCICtrTimebaseRate(taskHandle, channel)
DAQmxResetCICtrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3171
DAQmxGetCICtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseActiveEdge
DAQmxGetCICtrTimebaseActiveEdge.restype = int32
# DAQmxGetCICtrTimebaseActiveEdge(taskHandle, channel, data)
DAQmxGetCICtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3172
DAQmxSetCICtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseActiveEdge
DAQmxSetCICtrTimebaseActiveEdge.restype = int32
# DAQmxSetCICtrTimebaseActiveEdge(taskHandle, channel, data)
DAQmxSetCICtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3173
DAQmxResetCICtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseActiveEdge
DAQmxResetCICtrTimebaseActiveEdge.restype = int32
# DAQmxResetCICtrTimebaseActiveEdge(taskHandle, channel)
DAQmxResetCICtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3175
DAQmxGetCICtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseDigFltrEnable
DAQmxGetCICtrTimebaseDigFltrEnable.restype = int32
# DAQmxGetCICtrTimebaseDigFltrEnable(taskHandle, channel, data)
DAQmxGetCICtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3176
DAQmxSetCICtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseDigFltrEnable
DAQmxSetCICtrTimebaseDigFltrEnable.restype = int32
# DAQmxSetCICtrTimebaseDigFltrEnable(taskHandle, channel, data)
DAQmxSetCICtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3177
DAQmxResetCICtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseDigFltrEnable
DAQmxResetCICtrTimebaseDigFltrEnable.restype = int32
# DAQmxResetCICtrTimebaseDigFltrEnable(taskHandle, channel)
DAQmxResetCICtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3179
DAQmxGetCICtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseDigFltrMinPulseWidth
DAQmxGetCICtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxGetCICtrTimebaseDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCICtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3180
DAQmxSetCICtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseDigFltrMinPulseWidth
DAQmxSetCICtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxSetCICtrTimebaseDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCICtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3181
DAQmxResetCICtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseDigFltrMinPulseWidth
DAQmxResetCICtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxResetCICtrTimebaseDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCICtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3183
DAQmxGetCICtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseDigFltrTimebaseSrc
DAQmxGetCICtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxGetCICtrTimebaseDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCICtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3184
DAQmxSetCICtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseDigFltrTimebaseSrc
DAQmxSetCICtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxSetCICtrTimebaseDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCICtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3185
DAQmxResetCICtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseDigFltrTimebaseSrc
DAQmxResetCICtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxResetCICtrTimebaseDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCICtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3187
DAQmxGetCICtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseDigFltrTimebaseRate
DAQmxGetCICtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxGetCICtrTimebaseDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCICtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3188
DAQmxSetCICtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseDigFltrTimebaseRate
DAQmxSetCICtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxSetCICtrTimebaseDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCICtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3189
DAQmxResetCICtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseDigFltrTimebaseRate
DAQmxResetCICtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxResetCICtrTimebaseDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCICtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3191
DAQmxGetCICtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseDigSyncEnable
DAQmxGetCICtrTimebaseDigSyncEnable.restype = int32
# DAQmxGetCICtrTimebaseDigSyncEnable(taskHandle, channel, data)
DAQmxGetCICtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3192
DAQmxSetCICtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseDigSyncEnable
DAQmxSetCICtrTimebaseDigSyncEnable.restype = int32
# DAQmxSetCICtrTimebaseDigSyncEnable(taskHandle, channel, data)
DAQmxSetCICtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3193
DAQmxResetCICtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseDigSyncEnable
DAQmxResetCICtrTimebaseDigSyncEnable.restype = int32
# DAQmxResetCICtrTimebaseDigSyncEnable(taskHandle, channel)
DAQmxResetCICtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3195
DAQmxGetCICount = _stdcall_libraries['nicaiu'].DAQmxGetCICount
DAQmxGetCICount.restype = int32
# DAQmxGetCICount(taskHandle, channel, data)
DAQmxGetCICount.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3198
DAQmxGetCIOutputState = _stdcall_libraries['nicaiu'].DAQmxGetCIOutputState
DAQmxGetCIOutputState.restype = int32
# DAQmxGetCIOutputState(taskHandle, channel, data)
DAQmxGetCIOutputState.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3200
DAQmxGetCITCReached = _stdcall_libraries['nicaiu'].DAQmxGetCITCReached
DAQmxGetCITCReached.restype = int32
# DAQmxGetCITCReached(taskHandle, channel, data)
DAQmxGetCITCReached.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3203
DAQmxGetCICtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxGetCICtrTimebaseMasterTimebaseDiv
DAQmxGetCICtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxGetCICtrTimebaseMasterTimebaseDiv(taskHandle, channel, data)
DAQmxGetCICtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3204
DAQmxSetCICtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxSetCICtrTimebaseMasterTimebaseDiv
DAQmxSetCICtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxSetCICtrTimebaseMasterTimebaseDiv(taskHandle, channel, data)
DAQmxSetCICtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3205
DAQmxResetCICtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxResetCICtrTimebaseMasterTimebaseDiv
DAQmxResetCICtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxResetCICtrTimebaseMasterTimebaseDiv(taskHandle, channel)
DAQmxResetCICtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3208
DAQmxGetCIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxGetCIDataXferMech
DAQmxGetCIDataXferMech.restype = int32
# DAQmxGetCIDataXferMech(taskHandle, channel, data)
DAQmxGetCIDataXferMech.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3209
DAQmxSetCIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxSetCIDataXferMech
DAQmxSetCIDataXferMech.restype = int32
# DAQmxSetCIDataXferMech(taskHandle, channel, data)
DAQmxSetCIDataXferMech.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3210
DAQmxResetCIDataXferMech = _stdcall_libraries['nicaiu'].DAQmxResetCIDataXferMech
DAQmxResetCIDataXferMech.restype = int32
# DAQmxResetCIDataXferMech(taskHandle, channel)
DAQmxResetCIDataXferMech.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3212
DAQmxGetCINumPossiblyInvalidSamps = _stdcall_libraries['nicaiu'].DAQmxGetCINumPossiblyInvalidSamps
DAQmxGetCINumPossiblyInvalidSamps.restype = int32
# DAQmxGetCINumPossiblyInvalidSamps(taskHandle, channel, data)
DAQmxGetCINumPossiblyInvalidSamps.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3214
DAQmxGetCIDupCountPrevent = _stdcall_libraries['nicaiu'].DAQmxGetCIDupCountPrevent
DAQmxGetCIDupCountPrevent.restype = int32
# DAQmxGetCIDupCountPrevent(taskHandle, channel, data)
DAQmxGetCIDupCountPrevent.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3215
DAQmxSetCIDupCountPrevent = _stdcall_libraries['nicaiu'].DAQmxSetCIDupCountPrevent
DAQmxSetCIDupCountPrevent.restype = int32
# DAQmxSetCIDupCountPrevent(taskHandle, channel, data)
DAQmxSetCIDupCountPrevent.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3216
DAQmxResetCIDupCountPrevent = _stdcall_libraries['nicaiu'].DAQmxResetCIDupCountPrevent
DAQmxResetCIDupCountPrevent.restype = int32
# DAQmxResetCIDupCountPrevent(taskHandle, channel)
DAQmxResetCIDupCountPrevent.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3219
DAQmxGetCIPrescaler = _stdcall_libraries['nicaiu'].DAQmxGetCIPrescaler
DAQmxGetCIPrescaler.restype = int32
# DAQmxGetCIPrescaler(taskHandle, channel, data)
DAQmxGetCIPrescaler.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3220
DAQmxSetCIPrescaler = _stdcall_libraries['nicaiu'].DAQmxSetCIPrescaler
DAQmxSetCIPrescaler.restype = int32
# DAQmxSetCIPrescaler(taskHandle, channel, data)
DAQmxSetCIPrescaler.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3221
DAQmxResetCIPrescaler = _stdcall_libraries['nicaiu'].DAQmxResetCIPrescaler
DAQmxResetCIPrescaler.restype = int32
# DAQmxResetCIPrescaler(taskHandle, channel)
DAQmxResetCIPrescaler.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3224
DAQmxGetCOOutputType = _stdcall_libraries['nicaiu'].DAQmxGetCOOutputType
DAQmxGetCOOutputType.restype = int32
# DAQmxGetCOOutputType(taskHandle, channel, data)
DAQmxGetCOOutputType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3227
DAQmxGetCOPulseIdleState = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseIdleState
DAQmxGetCOPulseIdleState.restype = int32
# DAQmxGetCOPulseIdleState(taskHandle, channel, data)
DAQmxGetCOPulseIdleState.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3228
DAQmxSetCOPulseIdleState = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseIdleState
DAQmxSetCOPulseIdleState.restype = int32
# DAQmxSetCOPulseIdleState(taskHandle, channel, data)
DAQmxSetCOPulseIdleState.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3229
DAQmxResetCOPulseIdleState = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseIdleState
DAQmxResetCOPulseIdleState.restype = int32
# DAQmxResetCOPulseIdleState(taskHandle, channel)
DAQmxResetCOPulseIdleState.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3231
DAQmxGetCOPulseTerm = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseTerm
DAQmxGetCOPulseTerm.restype = int32
# DAQmxGetCOPulseTerm(taskHandle, channel, data, bufferSize)
DAQmxGetCOPulseTerm.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3232
DAQmxSetCOPulseTerm = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseTerm
DAQmxSetCOPulseTerm.restype = int32
# DAQmxSetCOPulseTerm(taskHandle, channel, data)
DAQmxSetCOPulseTerm.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3233
DAQmxResetCOPulseTerm = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseTerm
DAQmxResetCOPulseTerm.restype = int32
# DAQmxResetCOPulseTerm(taskHandle, channel)
DAQmxResetCOPulseTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3236
DAQmxGetCOPulseTimeUnits = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseTimeUnits
DAQmxGetCOPulseTimeUnits.restype = int32
# DAQmxGetCOPulseTimeUnits(taskHandle, channel, data)
DAQmxGetCOPulseTimeUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3237
DAQmxSetCOPulseTimeUnits = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseTimeUnits
DAQmxSetCOPulseTimeUnits.restype = int32
# DAQmxSetCOPulseTimeUnits(taskHandle, channel, data)
DAQmxSetCOPulseTimeUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3238
DAQmxResetCOPulseTimeUnits = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseTimeUnits
DAQmxResetCOPulseTimeUnits.restype = int32
# DAQmxResetCOPulseTimeUnits(taskHandle, channel)
DAQmxResetCOPulseTimeUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3240
DAQmxGetCOPulseHighTime = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseHighTime
DAQmxGetCOPulseHighTime.restype = int32
# DAQmxGetCOPulseHighTime(taskHandle, channel, data)
DAQmxGetCOPulseHighTime.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3241
DAQmxSetCOPulseHighTime = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseHighTime
DAQmxSetCOPulseHighTime.restype = int32
# DAQmxSetCOPulseHighTime(taskHandle, channel, data)
DAQmxSetCOPulseHighTime.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3242
DAQmxResetCOPulseHighTime = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseHighTime
DAQmxResetCOPulseHighTime.restype = int32
# DAQmxResetCOPulseHighTime(taskHandle, channel)
DAQmxResetCOPulseHighTime.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3244
DAQmxGetCOPulseLowTime = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseLowTime
DAQmxGetCOPulseLowTime.restype = int32
# DAQmxGetCOPulseLowTime(taskHandle, channel, data)
DAQmxGetCOPulseLowTime.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3245
DAQmxSetCOPulseLowTime = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseLowTime
DAQmxSetCOPulseLowTime.restype = int32
# DAQmxSetCOPulseLowTime(taskHandle, channel, data)
DAQmxSetCOPulseLowTime.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3246
DAQmxResetCOPulseLowTime = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseLowTime
DAQmxResetCOPulseLowTime.restype = int32
# DAQmxResetCOPulseLowTime(taskHandle, channel)
DAQmxResetCOPulseLowTime.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3248
DAQmxGetCOPulseTimeInitialDelay = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseTimeInitialDelay
DAQmxGetCOPulseTimeInitialDelay.restype = int32
# DAQmxGetCOPulseTimeInitialDelay(taskHandle, channel, data)
DAQmxGetCOPulseTimeInitialDelay.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3249
DAQmxSetCOPulseTimeInitialDelay = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseTimeInitialDelay
DAQmxSetCOPulseTimeInitialDelay.restype = int32
# DAQmxSetCOPulseTimeInitialDelay(taskHandle, channel, data)
DAQmxSetCOPulseTimeInitialDelay.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3250
DAQmxResetCOPulseTimeInitialDelay = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseTimeInitialDelay
DAQmxResetCOPulseTimeInitialDelay.restype = int32
# DAQmxResetCOPulseTimeInitialDelay(taskHandle, channel)
DAQmxResetCOPulseTimeInitialDelay.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3252
DAQmxGetCOPulseDutyCyc = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseDutyCyc
DAQmxGetCOPulseDutyCyc.restype = int32
# DAQmxGetCOPulseDutyCyc(taskHandle, channel, data)
DAQmxGetCOPulseDutyCyc.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3253
DAQmxSetCOPulseDutyCyc = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseDutyCyc
DAQmxSetCOPulseDutyCyc.restype = int32
# DAQmxSetCOPulseDutyCyc(taskHandle, channel, data)
DAQmxSetCOPulseDutyCyc.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3254
DAQmxResetCOPulseDutyCyc = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseDutyCyc
DAQmxResetCOPulseDutyCyc.restype = int32
# DAQmxResetCOPulseDutyCyc(taskHandle, channel)
DAQmxResetCOPulseDutyCyc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3257
DAQmxGetCOPulseFreqUnits = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseFreqUnits
DAQmxGetCOPulseFreqUnits.restype = int32
# DAQmxGetCOPulseFreqUnits(taskHandle, channel, data)
DAQmxGetCOPulseFreqUnits.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3258
DAQmxSetCOPulseFreqUnits = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseFreqUnits
DAQmxSetCOPulseFreqUnits.restype = int32
# DAQmxSetCOPulseFreqUnits(taskHandle, channel, data)
DAQmxSetCOPulseFreqUnits.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3259
DAQmxResetCOPulseFreqUnits = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseFreqUnits
DAQmxResetCOPulseFreqUnits.restype = int32
# DAQmxResetCOPulseFreqUnits(taskHandle, channel)
DAQmxResetCOPulseFreqUnits.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3261
DAQmxGetCOPulseFreq = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseFreq
DAQmxGetCOPulseFreq.restype = int32
# DAQmxGetCOPulseFreq(taskHandle, channel, data)
DAQmxGetCOPulseFreq.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3262
DAQmxSetCOPulseFreq = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseFreq
DAQmxSetCOPulseFreq.restype = int32
# DAQmxSetCOPulseFreq(taskHandle, channel, data)
DAQmxSetCOPulseFreq.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3263
DAQmxResetCOPulseFreq = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseFreq
DAQmxResetCOPulseFreq.restype = int32
# DAQmxResetCOPulseFreq(taskHandle, channel)
DAQmxResetCOPulseFreq.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3265
DAQmxGetCOPulseFreqInitialDelay = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseFreqInitialDelay
DAQmxGetCOPulseFreqInitialDelay.restype = int32
# DAQmxGetCOPulseFreqInitialDelay(taskHandle, channel, data)
DAQmxGetCOPulseFreqInitialDelay.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3266
DAQmxSetCOPulseFreqInitialDelay = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseFreqInitialDelay
DAQmxSetCOPulseFreqInitialDelay.restype = int32
# DAQmxSetCOPulseFreqInitialDelay(taskHandle, channel, data)
DAQmxSetCOPulseFreqInitialDelay.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3267
DAQmxResetCOPulseFreqInitialDelay = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseFreqInitialDelay
DAQmxResetCOPulseFreqInitialDelay.restype = int32
# DAQmxResetCOPulseFreqInitialDelay(taskHandle, channel)
DAQmxResetCOPulseFreqInitialDelay.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3269
DAQmxGetCOPulseHighTicks = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseHighTicks
DAQmxGetCOPulseHighTicks.restype = int32
# DAQmxGetCOPulseHighTicks(taskHandle, channel, data)
DAQmxGetCOPulseHighTicks.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3270
DAQmxSetCOPulseHighTicks = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseHighTicks
DAQmxSetCOPulseHighTicks.restype = int32
# DAQmxSetCOPulseHighTicks(taskHandle, channel, data)
DAQmxSetCOPulseHighTicks.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3271
DAQmxResetCOPulseHighTicks = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseHighTicks
DAQmxResetCOPulseHighTicks.restype = int32
# DAQmxResetCOPulseHighTicks(taskHandle, channel)
DAQmxResetCOPulseHighTicks.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3273
DAQmxGetCOPulseLowTicks = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseLowTicks
DAQmxGetCOPulseLowTicks.restype = int32
# DAQmxGetCOPulseLowTicks(taskHandle, channel, data)
DAQmxGetCOPulseLowTicks.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3274
DAQmxSetCOPulseLowTicks = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseLowTicks
DAQmxSetCOPulseLowTicks.restype = int32
# DAQmxSetCOPulseLowTicks(taskHandle, channel, data)
DAQmxSetCOPulseLowTicks.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3275
DAQmxResetCOPulseLowTicks = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseLowTicks
DAQmxResetCOPulseLowTicks.restype = int32
# DAQmxResetCOPulseLowTicks(taskHandle, channel)
DAQmxResetCOPulseLowTicks.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3277
DAQmxGetCOPulseTicksInitialDelay = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseTicksInitialDelay
DAQmxGetCOPulseTicksInitialDelay.restype = int32
# DAQmxGetCOPulseTicksInitialDelay(taskHandle, channel, data)
DAQmxGetCOPulseTicksInitialDelay.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3278
DAQmxSetCOPulseTicksInitialDelay = _stdcall_libraries['nicaiu'].DAQmxSetCOPulseTicksInitialDelay
DAQmxSetCOPulseTicksInitialDelay.restype = int32
# DAQmxSetCOPulseTicksInitialDelay(taskHandle, channel, data)
DAQmxSetCOPulseTicksInitialDelay.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3279
DAQmxResetCOPulseTicksInitialDelay = _stdcall_libraries['nicaiu'].DAQmxResetCOPulseTicksInitialDelay
DAQmxResetCOPulseTicksInitialDelay.restype = int32
# DAQmxResetCOPulseTicksInitialDelay(taskHandle, channel)
DAQmxResetCOPulseTicksInitialDelay.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3281
DAQmxGetCOCtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseSrc
DAQmxGetCOCtrTimebaseSrc.restype = int32
# DAQmxGetCOCtrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCOCtrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3282
DAQmxSetCOCtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseSrc
DAQmxSetCOCtrTimebaseSrc.restype = int32
# DAQmxSetCOCtrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3283
DAQmxResetCOCtrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseSrc
DAQmxResetCOCtrTimebaseSrc.restype = int32
# DAQmxResetCOCtrTimebaseSrc(taskHandle, channel)
DAQmxResetCOCtrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3285
DAQmxGetCOCtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseRate
DAQmxGetCOCtrTimebaseRate.restype = int32
# DAQmxGetCOCtrTimebaseRate(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3286
DAQmxSetCOCtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseRate
DAQmxSetCOCtrTimebaseRate.restype = int32
# DAQmxSetCOCtrTimebaseRate(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3287
DAQmxResetCOCtrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseRate
DAQmxResetCOCtrTimebaseRate.restype = int32
# DAQmxResetCOCtrTimebaseRate(taskHandle, channel)
DAQmxResetCOCtrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3290
DAQmxGetCOCtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseActiveEdge
DAQmxGetCOCtrTimebaseActiveEdge.restype = int32
# DAQmxGetCOCtrTimebaseActiveEdge(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3291
DAQmxSetCOCtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseActiveEdge
DAQmxSetCOCtrTimebaseActiveEdge.restype = int32
# DAQmxSetCOCtrTimebaseActiveEdge(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 3292
DAQmxResetCOCtrTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseActiveEdge
DAQmxResetCOCtrTimebaseActiveEdge.restype = int32
# DAQmxResetCOCtrTimebaseActiveEdge(taskHandle, channel)
DAQmxResetCOCtrTimebaseActiveEdge.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3294
DAQmxGetCOCtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseDigFltrEnable
DAQmxGetCOCtrTimebaseDigFltrEnable.restype = int32
# DAQmxGetCOCtrTimebaseDigFltrEnable(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3295
DAQmxSetCOCtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseDigFltrEnable
DAQmxSetCOCtrTimebaseDigFltrEnable.restype = int32
# DAQmxSetCOCtrTimebaseDigFltrEnable(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3296
DAQmxResetCOCtrTimebaseDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseDigFltrEnable
DAQmxResetCOCtrTimebaseDigFltrEnable.restype = int32
# DAQmxResetCOCtrTimebaseDigFltrEnable(taskHandle, channel)
DAQmxResetCOCtrTimebaseDigFltrEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3298
DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth
DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3299
DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth
DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3300
DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth
DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth.restype = int32
# DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth(taskHandle, channel)
DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3302
DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc
DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc(taskHandle, channel, data, bufferSize)
DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3303
DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc
DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3304
DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc
DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc.restype = int32
# DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc(taskHandle, channel)
DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3306
DAQmxGetCOCtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseDigFltrTimebaseRate
DAQmxGetCOCtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxGetCOCtrTimebaseDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, POINTER(float64)]
# NIDAQmx.h 3307
DAQmxSetCOCtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseDigFltrTimebaseRate
DAQmxSetCOCtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxSetCOCtrTimebaseDigFltrTimebaseRate(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING, float64]
# NIDAQmx.h 3308
DAQmxResetCOCtrTimebaseDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseDigFltrTimebaseRate
DAQmxResetCOCtrTimebaseDigFltrTimebaseRate.restype = int32
# DAQmxResetCOCtrTimebaseDigFltrTimebaseRate(taskHandle, channel)
DAQmxResetCOCtrTimebaseDigFltrTimebaseRate.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3310
DAQmxGetCOCtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseDigSyncEnable
DAQmxGetCOCtrTimebaseDigSyncEnable.restype = int32
# DAQmxGetCOCtrTimebaseDigSyncEnable(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3311
DAQmxSetCOCtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseDigSyncEnable
DAQmxSetCOCtrTimebaseDigSyncEnable.restype = int32
# DAQmxSetCOCtrTimebaseDigSyncEnable(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING, bool32]
# NIDAQmx.h 3312
DAQmxResetCOCtrTimebaseDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseDigSyncEnable
DAQmxResetCOCtrTimebaseDigSyncEnable.restype = int32
# DAQmxResetCOCtrTimebaseDigSyncEnable(taskHandle, channel)
DAQmxResetCOCtrTimebaseDigSyncEnable.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3314
DAQmxGetCOCount = _stdcall_libraries['nicaiu'].DAQmxGetCOCount
DAQmxGetCOCount.restype = int32
# DAQmxGetCOCount(taskHandle, channel, data)
DAQmxGetCOCount.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3317
DAQmxGetCOOutputState = _stdcall_libraries['nicaiu'].DAQmxGetCOOutputState
DAQmxGetCOOutputState.restype = int32
# DAQmxGetCOOutputState(taskHandle, channel, data)
DAQmxGetCOOutputState.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3319
DAQmxGetCOAutoIncrCnt = _stdcall_libraries['nicaiu'].DAQmxGetCOAutoIncrCnt
DAQmxGetCOAutoIncrCnt.restype = int32
# DAQmxGetCOAutoIncrCnt(taskHandle, channel, data)
DAQmxGetCOAutoIncrCnt.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3320
DAQmxSetCOAutoIncrCnt = _stdcall_libraries['nicaiu'].DAQmxSetCOAutoIncrCnt
DAQmxSetCOAutoIncrCnt.restype = int32
# DAQmxSetCOAutoIncrCnt(taskHandle, channel, data)
DAQmxSetCOAutoIncrCnt.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3321
DAQmxResetCOAutoIncrCnt = _stdcall_libraries['nicaiu'].DAQmxResetCOAutoIncrCnt
DAQmxResetCOAutoIncrCnt.restype = int32
# DAQmxResetCOAutoIncrCnt(taskHandle, channel)
DAQmxResetCOAutoIncrCnt.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3324
DAQmxGetCOCtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxGetCOCtrTimebaseMasterTimebaseDiv
DAQmxGetCOCtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxGetCOCtrTimebaseMasterTimebaseDiv(taskHandle, channel, data)
DAQmxGetCOCtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3325
DAQmxSetCOCtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxSetCOCtrTimebaseMasterTimebaseDiv
DAQmxSetCOCtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxSetCOCtrTimebaseMasterTimebaseDiv(taskHandle, channel, data)
DAQmxSetCOCtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3326
DAQmxResetCOCtrTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxResetCOCtrTimebaseMasterTimebaseDiv
DAQmxResetCOCtrTimebaseMasterTimebaseDiv.restype = int32
# DAQmxResetCOCtrTimebaseMasterTimebaseDiv(taskHandle, channel)
DAQmxResetCOCtrTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3328
DAQmxGetCOPulseDone = _stdcall_libraries['nicaiu'].DAQmxGetCOPulseDone
DAQmxGetCOPulseDone.restype = int32
# DAQmxGetCOPulseDone(taskHandle, channel, data)
DAQmxGetCOPulseDone.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3331
DAQmxGetCOPrescaler = _stdcall_libraries['nicaiu'].DAQmxGetCOPrescaler
DAQmxGetCOPrescaler.restype = int32
# DAQmxGetCOPrescaler(taskHandle, channel, data)
DAQmxGetCOPrescaler.argtypes = [TaskHandle, STRING, POINTER(uInt32)]
# NIDAQmx.h 3332
DAQmxSetCOPrescaler = _stdcall_libraries['nicaiu'].DAQmxSetCOPrescaler
DAQmxSetCOPrescaler.restype = int32
# DAQmxSetCOPrescaler(taskHandle, channel, data)
DAQmxSetCOPrescaler.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3333
DAQmxResetCOPrescaler = _stdcall_libraries['nicaiu'].DAQmxResetCOPrescaler
DAQmxResetCOPrescaler.restype = int32
# DAQmxResetCOPrescaler(taskHandle, channel)
DAQmxResetCOPrescaler.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3335
DAQmxGetCORdyForNewVal = _stdcall_libraries['nicaiu'].DAQmxGetCORdyForNewVal
DAQmxGetCORdyForNewVal.restype = int32
# DAQmxGetCORdyForNewVal(taskHandle, channel, data)
DAQmxGetCORdyForNewVal.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3338
DAQmxGetChanType = _stdcall_libraries['nicaiu'].DAQmxGetChanType
DAQmxGetChanType.restype = int32
# DAQmxGetChanType(taskHandle, channel, data)
DAQmxGetChanType.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 3340
DAQmxGetPhysicalChanName = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanName
DAQmxGetPhysicalChanName.restype = int32
# DAQmxGetPhysicalChanName(taskHandle, channel, data, bufferSize)
DAQmxGetPhysicalChanName.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3342
DAQmxGetChanDescr = _stdcall_libraries['nicaiu'].DAQmxGetChanDescr
DAQmxGetChanDescr.restype = int32
# DAQmxGetChanDescr(taskHandle, channel, data, bufferSize)
DAQmxGetChanDescr.argtypes = [TaskHandle, STRING, STRING, uInt32]
# NIDAQmx.h 3343
DAQmxSetChanDescr = _stdcall_libraries['nicaiu'].DAQmxSetChanDescr
DAQmxSetChanDescr.restype = int32
# DAQmxSetChanDescr(taskHandle, channel, data)
DAQmxSetChanDescr.argtypes = [TaskHandle, STRING, STRING]
# NIDAQmx.h 3344
DAQmxResetChanDescr = _stdcall_libraries['nicaiu'].DAQmxResetChanDescr
DAQmxResetChanDescr.restype = int32
# DAQmxResetChanDescr(taskHandle, channel)
DAQmxResetChanDescr.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3346
DAQmxGetChanIsGlobal = _stdcall_libraries['nicaiu'].DAQmxGetChanIsGlobal
DAQmxGetChanIsGlobal.restype = int32
# DAQmxGetChanIsGlobal(taskHandle, channel, data)
DAQmxGetChanIsGlobal.argtypes = [TaskHandle, STRING, POINTER(bool32)]
# NIDAQmx.h 3350
DAQmxGetExportedAIConvClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedAIConvClkOutputTerm
DAQmxGetExportedAIConvClkOutputTerm.restype = int32
# DAQmxGetExportedAIConvClkOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedAIConvClkOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3351
DAQmxSetExportedAIConvClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedAIConvClkOutputTerm
DAQmxSetExportedAIConvClkOutputTerm.restype = int32
# DAQmxSetExportedAIConvClkOutputTerm(taskHandle, data)
DAQmxSetExportedAIConvClkOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3352
DAQmxResetExportedAIConvClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedAIConvClkOutputTerm
DAQmxResetExportedAIConvClkOutputTerm.restype = int32
# DAQmxResetExportedAIConvClkOutputTerm(taskHandle)
DAQmxResetExportedAIConvClkOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3355
DAQmxGetExportedAIConvClkPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedAIConvClkPulsePolarity
DAQmxGetExportedAIConvClkPulsePolarity.restype = int32
# DAQmxGetExportedAIConvClkPulsePolarity(taskHandle, data)
DAQmxGetExportedAIConvClkPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3357
DAQmxGetExported10MHzRefClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExported10MHzRefClkOutputTerm
DAQmxGetExported10MHzRefClkOutputTerm.restype = int32
# DAQmxGetExported10MHzRefClkOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExported10MHzRefClkOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3358
DAQmxSetExported10MHzRefClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExported10MHzRefClkOutputTerm
DAQmxSetExported10MHzRefClkOutputTerm.restype = int32
# DAQmxSetExported10MHzRefClkOutputTerm(taskHandle, data)
DAQmxSetExported10MHzRefClkOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3359
DAQmxResetExported10MHzRefClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExported10MHzRefClkOutputTerm
DAQmxResetExported10MHzRefClkOutputTerm.restype = int32
# DAQmxResetExported10MHzRefClkOutputTerm(taskHandle)
DAQmxResetExported10MHzRefClkOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3361
DAQmxGetExported20MHzTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExported20MHzTimebaseOutputTerm
DAQmxGetExported20MHzTimebaseOutputTerm.restype = int32
# DAQmxGetExported20MHzTimebaseOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExported20MHzTimebaseOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3362
DAQmxSetExported20MHzTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExported20MHzTimebaseOutputTerm
DAQmxSetExported20MHzTimebaseOutputTerm.restype = int32
# DAQmxSetExported20MHzTimebaseOutputTerm(taskHandle, data)
DAQmxSetExported20MHzTimebaseOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3363
DAQmxResetExported20MHzTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExported20MHzTimebaseOutputTerm
DAQmxResetExported20MHzTimebaseOutputTerm.restype = int32
# DAQmxResetExported20MHzTimebaseOutputTerm(taskHandle)
DAQmxResetExported20MHzTimebaseOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3366
DAQmxGetExportedSampClkOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxGetExportedSampClkOutputBehavior
DAQmxGetExportedSampClkOutputBehavior.restype = int32
# DAQmxGetExportedSampClkOutputBehavior(taskHandle, data)
DAQmxGetExportedSampClkOutputBehavior.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3367
DAQmxSetExportedSampClkOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxSetExportedSampClkOutputBehavior
DAQmxSetExportedSampClkOutputBehavior.restype = int32
# DAQmxSetExportedSampClkOutputBehavior(taskHandle, data)
DAQmxSetExportedSampClkOutputBehavior.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3368
DAQmxResetExportedSampClkOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxResetExportedSampClkOutputBehavior
DAQmxResetExportedSampClkOutputBehavior.restype = int32
# DAQmxResetExportedSampClkOutputBehavior(taskHandle)
DAQmxResetExportedSampClkOutputBehavior.argtypes = [TaskHandle]
# NIDAQmx.h 3370
DAQmxGetExportedSampClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedSampClkOutputTerm
DAQmxGetExportedSampClkOutputTerm.restype = int32
# DAQmxGetExportedSampClkOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedSampClkOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3371
DAQmxSetExportedSampClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedSampClkOutputTerm
DAQmxSetExportedSampClkOutputTerm.restype = int32
# DAQmxSetExportedSampClkOutputTerm(taskHandle, data)
DAQmxSetExportedSampClkOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3372
DAQmxResetExportedSampClkOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedSampClkOutputTerm
DAQmxResetExportedSampClkOutputTerm.restype = int32
# DAQmxResetExportedSampClkOutputTerm(taskHandle)
DAQmxResetExportedSampClkOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3375
DAQmxGetExportedSampClkPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedSampClkPulsePolarity
DAQmxGetExportedSampClkPulsePolarity.restype = int32
# DAQmxGetExportedSampClkPulsePolarity(taskHandle, data)
DAQmxGetExportedSampClkPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3376
DAQmxSetExportedSampClkPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedSampClkPulsePolarity
DAQmxSetExportedSampClkPulsePolarity.restype = int32
# DAQmxSetExportedSampClkPulsePolarity(taskHandle, data)
DAQmxSetExportedSampClkPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3377
DAQmxResetExportedSampClkPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedSampClkPulsePolarity
DAQmxResetExportedSampClkPulsePolarity.restype = int32
# DAQmxResetExportedSampClkPulsePolarity(taskHandle)
DAQmxResetExportedSampClkPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3379
DAQmxGetExportedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedSampClkTimebaseOutputTerm
DAQmxGetExportedSampClkTimebaseOutputTerm.restype = int32
# DAQmxGetExportedSampClkTimebaseOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedSampClkTimebaseOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3380
DAQmxSetExportedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedSampClkTimebaseOutputTerm
DAQmxSetExportedSampClkTimebaseOutputTerm.restype = int32
# DAQmxSetExportedSampClkTimebaseOutputTerm(taskHandle, data)
DAQmxSetExportedSampClkTimebaseOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3381
DAQmxResetExportedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedSampClkTimebaseOutputTerm
DAQmxResetExportedSampClkTimebaseOutputTerm.restype = int32
# DAQmxResetExportedSampClkTimebaseOutputTerm(taskHandle)
DAQmxResetExportedSampClkTimebaseOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3383
DAQmxGetExportedDividedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedDividedSampClkTimebaseOutputTerm
DAQmxGetExportedDividedSampClkTimebaseOutputTerm.restype = int32
# DAQmxGetExportedDividedSampClkTimebaseOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedDividedSampClkTimebaseOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3384
DAQmxSetExportedDividedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedDividedSampClkTimebaseOutputTerm
DAQmxSetExportedDividedSampClkTimebaseOutputTerm.restype = int32
# DAQmxSetExportedDividedSampClkTimebaseOutputTerm(taskHandle, data)
DAQmxSetExportedDividedSampClkTimebaseOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3385
DAQmxResetExportedDividedSampClkTimebaseOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedDividedSampClkTimebaseOutputTerm
DAQmxResetExportedDividedSampClkTimebaseOutputTerm.restype = int32
# DAQmxResetExportedDividedSampClkTimebaseOutputTerm(taskHandle)
DAQmxResetExportedDividedSampClkTimebaseOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3387
DAQmxGetExportedAdvTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvTrigOutputTerm
DAQmxGetExportedAdvTrigOutputTerm.restype = int32
# DAQmxGetExportedAdvTrigOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedAdvTrigOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3388
DAQmxSetExportedAdvTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvTrigOutputTerm
DAQmxSetExportedAdvTrigOutputTerm.restype = int32
# DAQmxSetExportedAdvTrigOutputTerm(taskHandle, data)
DAQmxSetExportedAdvTrigOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3389
DAQmxResetExportedAdvTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvTrigOutputTerm
DAQmxResetExportedAdvTrigOutputTerm.restype = int32
# DAQmxResetExportedAdvTrigOutputTerm(taskHandle)
DAQmxResetExportedAdvTrigOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3392
DAQmxGetExportedAdvTrigPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvTrigPulsePolarity
DAQmxGetExportedAdvTrigPulsePolarity.restype = int32
# DAQmxGetExportedAdvTrigPulsePolarity(taskHandle, data)
DAQmxGetExportedAdvTrigPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3395
DAQmxGetExportedAdvTrigPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvTrigPulseWidthUnits
DAQmxGetExportedAdvTrigPulseWidthUnits.restype = int32
# DAQmxGetExportedAdvTrigPulseWidthUnits(taskHandle, data)
DAQmxGetExportedAdvTrigPulseWidthUnits.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3396
DAQmxSetExportedAdvTrigPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvTrigPulseWidthUnits
DAQmxSetExportedAdvTrigPulseWidthUnits.restype = int32
# DAQmxSetExportedAdvTrigPulseWidthUnits(taskHandle, data)
DAQmxSetExportedAdvTrigPulseWidthUnits.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3397
DAQmxResetExportedAdvTrigPulseWidthUnits = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvTrigPulseWidthUnits
DAQmxResetExportedAdvTrigPulseWidthUnits.restype = int32
# DAQmxResetExportedAdvTrigPulseWidthUnits(taskHandle)
DAQmxResetExportedAdvTrigPulseWidthUnits.argtypes = [TaskHandle]
# NIDAQmx.h 3399
DAQmxGetExportedAdvTrigPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvTrigPulseWidth
DAQmxGetExportedAdvTrigPulseWidth.restype = int32
# DAQmxGetExportedAdvTrigPulseWidth(taskHandle, data)
DAQmxGetExportedAdvTrigPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3400
DAQmxSetExportedAdvTrigPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvTrigPulseWidth
DAQmxSetExportedAdvTrigPulseWidth.restype = int32
# DAQmxSetExportedAdvTrigPulseWidth(taskHandle, data)
DAQmxSetExportedAdvTrigPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3401
DAQmxResetExportedAdvTrigPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvTrigPulseWidth
DAQmxResetExportedAdvTrigPulseWidth.restype = int32
# DAQmxResetExportedAdvTrigPulseWidth(taskHandle)
DAQmxResetExportedAdvTrigPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 3403
DAQmxGetExportedRefTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedRefTrigOutputTerm
DAQmxGetExportedRefTrigOutputTerm.restype = int32
# DAQmxGetExportedRefTrigOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedRefTrigOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3404
DAQmxSetExportedRefTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedRefTrigOutputTerm
DAQmxSetExportedRefTrigOutputTerm.restype = int32
# DAQmxSetExportedRefTrigOutputTerm(taskHandle, data)
DAQmxSetExportedRefTrigOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3405
DAQmxResetExportedRefTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedRefTrigOutputTerm
DAQmxResetExportedRefTrigOutputTerm.restype = int32
# DAQmxResetExportedRefTrigOutputTerm(taskHandle)
DAQmxResetExportedRefTrigOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3407
DAQmxGetExportedStartTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedStartTrigOutputTerm
DAQmxGetExportedStartTrigOutputTerm.restype = int32
# DAQmxGetExportedStartTrigOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedStartTrigOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3408
DAQmxSetExportedStartTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedStartTrigOutputTerm
DAQmxSetExportedStartTrigOutputTerm.restype = int32
# DAQmxSetExportedStartTrigOutputTerm(taskHandle, data)
DAQmxSetExportedStartTrigOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3409
DAQmxResetExportedStartTrigOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedStartTrigOutputTerm
DAQmxResetExportedStartTrigOutputTerm.restype = int32
# DAQmxResetExportedStartTrigOutputTerm(taskHandle)
DAQmxResetExportedStartTrigOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3411
DAQmxGetExportedAdvCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvCmpltEventOutputTerm
DAQmxGetExportedAdvCmpltEventOutputTerm.restype = int32
# DAQmxGetExportedAdvCmpltEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedAdvCmpltEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3412
DAQmxSetExportedAdvCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvCmpltEventOutputTerm
DAQmxSetExportedAdvCmpltEventOutputTerm.restype = int32
# DAQmxSetExportedAdvCmpltEventOutputTerm(taskHandle, data)
DAQmxSetExportedAdvCmpltEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3413
DAQmxResetExportedAdvCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvCmpltEventOutputTerm
DAQmxResetExportedAdvCmpltEventOutputTerm.restype = int32
# DAQmxResetExportedAdvCmpltEventOutputTerm(taskHandle)
DAQmxResetExportedAdvCmpltEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3415
DAQmxGetExportedAdvCmpltEventDelay = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvCmpltEventDelay
DAQmxGetExportedAdvCmpltEventDelay.restype = int32
# DAQmxGetExportedAdvCmpltEventDelay(taskHandle, data)
DAQmxGetExportedAdvCmpltEventDelay.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3416
DAQmxSetExportedAdvCmpltEventDelay = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvCmpltEventDelay
DAQmxSetExportedAdvCmpltEventDelay.restype = int32
# DAQmxSetExportedAdvCmpltEventDelay(taskHandle, data)
DAQmxSetExportedAdvCmpltEventDelay.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3417
DAQmxResetExportedAdvCmpltEventDelay = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvCmpltEventDelay
DAQmxResetExportedAdvCmpltEventDelay.restype = int32
# DAQmxResetExportedAdvCmpltEventDelay(taskHandle)
DAQmxResetExportedAdvCmpltEventDelay.argtypes = [TaskHandle]
# NIDAQmx.h 3420
DAQmxGetExportedAdvCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvCmpltEventPulsePolarity
DAQmxGetExportedAdvCmpltEventPulsePolarity.restype = int32
# DAQmxGetExportedAdvCmpltEventPulsePolarity(taskHandle, data)
DAQmxGetExportedAdvCmpltEventPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3421
DAQmxSetExportedAdvCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvCmpltEventPulsePolarity
DAQmxSetExportedAdvCmpltEventPulsePolarity.restype = int32
# DAQmxSetExportedAdvCmpltEventPulsePolarity(taskHandle, data)
DAQmxSetExportedAdvCmpltEventPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3422
DAQmxResetExportedAdvCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvCmpltEventPulsePolarity
DAQmxResetExportedAdvCmpltEventPulsePolarity.restype = int32
# DAQmxResetExportedAdvCmpltEventPulsePolarity(taskHandle)
DAQmxResetExportedAdvCmpltEventPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3424
DAQmxGetExportedAdvCmpltEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetExportedAdvCmpltEventPulseWidth
DAQmxGetExportedAdvCmpltEventPulseWidth.restype = int32
# DAQmxGetExportedAdvCmpltEventPulseWidth(taskHandle, data)
DAQmxGetExportedAdvCmpltEventPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3425
DAQmxSetExportedAdvCmpltEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetExportedAdvCmpltEventPulseWidth
DAQmxSetExportedAdvCmpltEventPulseWidth.restype = int32
# DAQmxSetExportedAdvCmpltEventPulseWidth(taskHandle, data)
DAQmxSetExportedAdvCmpltEventPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3426
DAQmxResetExportedAdvCmpltEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetExportedAdvCmpltEventPulseWidth
DAQmxResetExportedAdvCmpltEventPulseWidth.restype = int32
# DAQmxResetExportedAdvCmpltEventPulseWidth(taskHandle)
DAQmxResetExportedAdvCmpltEventPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 3428
DAQmxGetExportedAIHoldCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedAIHoldCmpltEventOutputTerm
DAQmxGetExportedAIHoldCmpltEventOutputTerm.restype = int32
# DAQmxGetExportedAIHoldCmpltEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedAIHoldCmpltEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3429
DAQmxSetExportedAIHoldCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedAIHoldCmpltEventOutputTerm
DAQmxSetExportedAIHoldCmpltEventOutputTerm.restype = int32
# DAQmxSetExportedAIHoldCmpltEventOutputTerm(taskHandle, data)
DAQmxSetExportedAIHoldCmpltEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3430
DAQmxResetExportedAIHoldCmpltEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedAIHoldCmpltEventOutputTerm
DAQmxResetExportedAIHoldCmpltEventOutputTerm.restype = int32
# DAQmxResetExportedAIHoldCmpltEventOutputTerm(taskHandle)
DAQmxResetExportedAIHoldCmpltEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3433
DAQmxGetExportedAIHoldCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedAIHoldCmpltEventPulsePolarity
DAQmxGetExportedAIHoldCmpltEventPulsePolarity.restype = int32
# DAQmxGetExportedAIHoldCmpltEventPulsePolarity(taskHandle, data)
DAQmxGetExportedAIHoldCmpltEventPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3434
DAQmxSetExportedAIHoldCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedAIHoldCmpltEventPulsePolarity
DAQmxSetExportedAIHoldCmpltEventPulsePolarity.restype = int32
# DAQmxSetExportedAIHoldCmpltEventPulsePolarity(taskHandle, data)
DAQmxSetExportedAIHoldCmpltEventPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3435
DAQmxResetExportedAIHoldCmpltEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedAIHoldCmpltEventPulsePolarity
DAQmxResetExportedAIHoldCmpltEventPulsePolarity.restype = int32
# DAQmxResetExportedAIHoldCmpltEventPulsePolarity(taskHandle)
DAQmxResetExportedAIHoldCmpltEventPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3437
DAQmxGetExportedChangeDetectEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedChangeDetectEventOutputTerm
DAQmxGetExportedChangeDetectEventOutputTerm.restype = int32
# DAQmxGetExportedChangeDetectEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedChangeDetectEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3438
DAQmxSetExportedChangeDetectEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedChangeDetectEventOutputTerm
DAQmxSetExportedChangeDetectEventOutputTerm.restype = int32
# DAQmxSetExportedChangeDetectEventOutputTerm(taskHandle, data)
DAQmxSetExportedChangeDetectEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3439
DAQmxResetExportedChangeDetectEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedChangeDetectEventOutputTerm
DAQmxResetExportedChangeDetectEventOutputTerm.restype = int32
# DAQmxResetExportedChangeDetectEventOutputTerm(taskHandle)
DAQmxResetExportedChangeDetectEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3442
DAQmxGetExportedChangeDetectEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedChangeDetectEventPulsePolarity
DAQmxGetExportedChangeDetectEventPulsePolarity.restype = int32
# DAQmxGetExportedChangeDetectEventPulsePolarity(taskHandle, data)
DAQmxGetExportedChangeDetectEventPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3443
DAQmxSetExportedChangeDetectEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedChangeDetectEventPulsePolarity
DAQmxSetExportedChangeDetectEventPulsePolarity.restype = int32
# DAQmxSetExportedChangeDetectEventPulsePolarity(taskHandle, data)
DAQmxSetExportedChangeDetectEventPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3444
DAQmxResetExportedChangeDetectEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedChangeDetectEventPulsePolarity
DAQmxResetExportedChangeDetectEventPulsePolarity.restype = int32
# DAQmxResetExportedChangeDetectEventPulsePolarity(taskHandle)
DAQmxResetExportedChangeDetectEventPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3446
DAQmxGetExportedCtrOutEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedCtrOutEventOutputTerm
DAQmxGetExportedCtrOutEventOutputTerm.restype = int32
# DAQmxGetExportedCtrOutEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedCtrOutEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3447
DAQmxSetExportedCtrOutEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedCtrOutEventOutputTerm
DAQmxSetExportedCtrOutEventOutputTerm.restype = int32
# DAQmxSetExportedCtrOutEventOutputTerm(taskHandle, data)
DAQmxSetExportedCtrOutEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3448
DAQmxResetExportedCtrOutEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedCtrOutEventOutputTerm
DAQmxResetExportedCtrOutEventOutputTerm.restype = int32
# DAQmxResetExportedCtrOutEventOutputTerm(taskHandle)
DAQmxResetExportedCtrOutEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3451
DAQmxGetExportedCtrOutEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxGetExportedCtrOutEventOutputBehavior
DAQmxGetExportedCtrOutEventOutputBehavior.restype = int32
# DAQmxGetExportedCtrOutEventOutputBehavior(taskHandle, data)
DAQmxGetExportedCtrOutEventOutputBehavior.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3452
DAQmxSetExportedCtrOutEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxSetExportedCtrOutEventOutputBehavior
DAQmxSetExportedCtrOutEventOutputBehavior.restype = int32
# DAQmxSetExportedCtrOutEventOutputBehavior(taskHandle, data)
DAQmxSetExportedCtrOutEventOutputBehavior.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3453
DAQmxResetExportedCtrOutEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxResetExportedCtrOutEventOutputBehavior
DAQmxResetExportedCtrOutEventOutputBehavior.restype = int32
# DAQmxResetExportedCtrOutEventOutputBehavior(taskHandle)
DAQmxResetExportedCtrOutEventOutputBehavior.argtypes = [TaskHandle]
# NIDAQmx.h 3456
DAQmxGetExportedCtrOutEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedCtrOutEventPulsePolarity
DAQmxGetExportedCtrOutEventPulsePolarity.restype = int32
# DAQmxGetExportedCtrOutEventPulsePolarity(taskHandle, data)
DAQmxGetExportedCtrOutEventPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3457
DAQmxSetExportedCtrOutEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedCtrOutEventPulsePolarity
DAQmxSetExportedCtrOutEventPulsePolarity.restype = int32
# DAQmxSetExportedCtrOutEventPulsePolarity(taskHandle, data)
DAQmxSetExportedCtrOutEventPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3458
DAQmxResetExportedCtrOutEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedCtrOutEventPulsePolarity
DAQmxResetExportedCtrOutEventPulsePolarity.restype = int32
# DAQmxResetExportedCtrOutEventPulsePolarity(taskHandle)
DAQmxResetExportedCtrOutEventPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3461
DAQmxGetExportedCtrOutEventToggleIdleState = _stdcall_libraries['nicaiu'].DAQmxGetExportedCtrOutEventToggleIdleState
DAQmxGetExportedCtrOutEventToggleIdleState.restype = int32
# DAQmxGetExportedCtrOutEventToggleIdleState(taskHandle, data)
DAQmxGetExportedCtrOutEventToggleIdleState.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3462
DAQmxSetExportedCtrOutEventToggleIdleState = _stdcall_libraries['nicaiu'].DAQmxSetExportedCtrOutEventToggleIdleState
DAQmxSetExportedCtrOutEventToggleIdleState.restype = int32
# DAQmxSetExportedCtrOutEventToggleIdleState(taskHandle, data)
DAQmxSetExportedCtrOutEventToggleIdleState.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3463
DAQmxResetExportedCtrOutEventToggleIdleState = _stdcall_libraries['nicaiu'].DAQmxResetExportedCtrOutEventToggleIdleState
DAQmxResetExportedCtrOutEventToggleIdleState.restype = int32
# DAQmxResetExportedCtrOutEventToggleIdleState(taskHandle)
DAQmxResetExportedCtrOutEventToggleIdleState.argtypes = [TaskHandle]
# NIDAQmx.h 3465
DAQmxGetExportedHshkEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventOutputTerm
DAQmxGetExportedHshkEventOutputTerm.restype = int32
# DAQmxGetExportedHshkEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedHshkEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3466
DAQmxSetExportedHshkEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventOutputTerm
DAQmxSetExportedHshkEventOutputTerm.restype = int32
# DAQmxSetExportedHshkEventOutputTerm(taskHandle, data)
DAQmxSetExportedHshkEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3467
DAQmxResetExportedHshkEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventOutputTerm
DAQmxResetExportedHshkEventOutputTerm.restype = int32
# DAQmxResetExportedHshkEventOutputTerm(taskHandle)
DAQmxResetExportedHshkEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3470
DAQmxGetExportedHshkEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventOutputBehavior
DAQmxGetExportedHshkEventOutputBehavior.restype = int32
# DAQmxGetExportedHshkEventOutputBehavior(taskHandle, data)
DAQmxGetExportedHshkEventOutputBehavior.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3471
DAQmxSetExportedHshkEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventOutputBehavior
DAQmxSetExportedHshkEventOutputBehavior.restype = int32
# DAQmxSetExportedHshkEventOutputBehavior(taskHandle, data)
DAQmxSetExportedHshkEventOutputBehavior.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3472
DAQmxResetExportedHshkEventOutputBehavior = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventOutputBehavior
DAQmxResetExportedHshkEventOutputBehavior.restype = int32
# DAQmxResetExportedHshkEventOutputBehavior(taskHandle)
DAQmxResetExportedHshkEventOutputBehavior.argtypes = [TaskHandle]
# NIDAQmx.h 3474
DAQmxGetExportedHshkEventDelay = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventDelay
DAQmxGetExportedHshkEventDelay.restype = int32
# DAQmxGetExportedHshkEventDelay(taskHandle, data)
DAQmxGetExportedHshkEventDelay.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3475
DAQmxSetExportedHshkEventDelay = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventDelay
DAQmxSetExportedHshkEventDelay.restype = int32
# DAQmxSetExportedHshkEventDelay(taskHandle, data)
DAQmxSetExportedHshkEventDelay.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3476
DAQmxResetExportedHshkEventDelay = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventDelay
DAQmxResetExportedHshkEventDelay.restype = int32
# DAQmxResetExportedHshkEventDelay(taskHandle)
DAQmxResetExportedHshkEventDelay.argtypes = [TaskHandle]
# NIDAQmx.h 3479
DAQmxGetExportedHshkEventInterlockedAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventInterlockedAssertedLvl
DAQmxGetExportedHshkEventInterlockedAssertedLvl.restype = int32
# DAQmxGetExportedHshkEventInterlockedAssertedLvl(taskHandle, data)
DAQmxGetExportedHshkEventInterlockedAssertedLvl.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3480
DAQmxSetExportedHshkEventInterlockedAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventInterlockedAssertedLvl
DAQmxSetExportedHshkEventInterlockedAssertedLvl.restype = int32
# DAQmxSetExportedHshkEventInterlockedAssertedLvl(taskHandle, data)
DAQmxSetExportedHshkEventInterlockedAssertedLvl.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3481
DAQmxResetExportedHshkEventInterlockedAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventInterlockedAssertedLvl
DAQmxResetExportedHshkEventInterlockedAssertedLvl.restype = int32
# DAQmxResetExportedHshkEventInterlockedAssertedLvl(taskHandle)
DAQmxResetExportedHshkEventInterlockedAssertedLvl.argtypes = [TaskHandle]
# NIDAQmx.h 3483
DAQmxGetExportedHshkEventInterlockedAssertOnStart = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventInterlockedAssertOnStart
DAQmxGetExportedHshkEventInterlockedAssertOnStart.restype = int32
# DAQmxGetExportedHshkEventInterlockedAssertOnStart(taskHandle, data)
DAQmxGetExportedHshkEventInterlockedAssertOnStart.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3484
DAQmxSetExportedHshkEventInterlockedAssertOnStart = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventInterlockedAssertOnStart
DAQmxSetExportedHshkEventInterlockedAssertOnStart.restype = int32
# DAQmxSetExportedHshkEventInterlockedAssertOnStart(taskHandle, data)
DAQmxSetExportedHshkEventInterlockedAssertOnStart.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3485
DAQmxResetExportedHshkEventInterlockedAssertOnStart = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventInterlockedAssertOnStart
DAQmxResetExportedHshkEventInterlockedAssertOnStart.restype = int32
# DAQmxResetExportedHshkEventInterlockedAssertOnStart(taskHandle)
DAQmxResetExportedHshkEventInterlockedAssertOnStart.argtypes = [TaskHandle]
# NIDAQmx.h 3487
DAQmxGetExportedHshkEventInterlockedDeassertDelay = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventInterlockedDeassertDelay
DAQmxGetExportedHshkEventInterlockedDeassertDelay.restype = int32
# DAQmxGetExportedHshkEventInterlockedDeassertDelay(taskHandle, data)
DAQmxGetExportedHshkEventInterlockedDeassertDelay.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3488
DAQmxSetExportedHshkEventInterlockedDeassertDelay = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventInterlockedDeassertDelay
DAQmxSetExportedHshkEventInterlockedDeassertDelay.restype = int32
# DAQmxSetExportedHshkEventInterlockedDeassertDelay(taskHandle, data)
DAQmxSetExportedHshkEventInterlockedDeassertDelay.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3489
DAQmxResetExportedHshkEventInterlockedDeassertDelay = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventInterlockedDeassertDelay
DAQmxResetExportedHshkEventInterlockedDeassertDelay.restype = int32
# DAQmxResetExportedHshkEventInterlockedDeassertDelay(taskHandle)
DAQmxResetExportedHshkEventInterlockedDeassertDelay.argtypes = [TaskHandle]
# NIDAQmx.h 3492
DAQmxGetExportedHshkEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventPulsePolarity
DAQmxGetExportedHshkEventPulsePolarity.restype = int32
# DAQmxGetExportedHshkEventPulsePolarity(taskHandle, data)
DAQmxGetExportedHshkEventPulsePolarity.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3493
DAQmxSetExportedHshkEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventPulsePolarity
DAQmxSetExportedHshkEventPulsePolarity.restype = int32
# DAQmxSetExportedHshkEventPulsePolarity(taskHandle, data)
DAQmxSetExportedHshkEventPulsePolarity.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3494
DAQmxResetExportedHshkEventPulsePolarity = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventPulsePolarity
DAQmxResetExportedHshkEventPulsePolarity.restype = int32
# DAQmxResetExportedHshkEventPulsePolarity(taskHandle)
DAQmxResetExportedHshkEventPulsePolarity.argtypes = [TaskHandle]
# NIDAQmx.h 3496
DAQmxGetExportedHshkEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetExportedHshkEventPulseWidth
DAQmxGetExportedHshkEventPulseWidth.restype = int32
# DAQmxGetExportedHshkEventPulseWidth(taskHandle, data)
DAQmxGetExportedHshkEventPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3497
DAQmxSetExportedHshkEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetExportedHshkEventPulseWidth
DAQmxSetExportedHshkEventPulseWidth.restype = int32
# DAQmxSetExportedHshkEventPulseWidth(taskHandle, data)
DAQmxSetExportedHshkEventPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3498
DAQmxResetExportedHshkEventPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetExportedHshkEventPulseWidth
DAQmxResetExportedHshkEventPulseWidth.restype = int32
# DAQmxResetExportedHshkEventPulseWidth(taskHandle)
DAQmxResetExportedHshkEventPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 3500
DAQmxGetExportedRdyForXferEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedRdyForXferEventOutputTerm
DAQmxGetExportedRdyForXferEventOutputTerm.restype = int32
# DAQmxGetExportedRdyForXferEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedRdyForXferEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3501
DAQmxSetExportedRdyForXferEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedRdyForXferEventOutputTerm
DAQmxSetExportedRdyForXferEventOutputTerm.restype = int32
# DAQmxSetExportedRdyForXferEventOutputTerm(taskHandle, data)
DAQmxSetExportedRdyForXferEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3502
DAQmxResetExportedRdyForXferEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedRdyForXferEventOutputTerm
DAQmxResetExportedRdyForXferEventOutputTerm.restype = int32
# DAQmxResetExportedRdyForXferEventOutputTerm(taskHandle)
DAQmxResetExportedRdyForXferEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3505
DAQmxGetExportedRdyForXferEventLvlActiveLvl = _stdcall_libraries['nicaiu'].DAQmxGetExportedRdyForXferEventLvlActiveLvl
DAQmxGetExportedRdyForXferEventLvlActiveLvl.restype = int32
# DAQmxGetExportedRdyForXferEventLvlActiveLvl(taskHandle, data)
DAQmxGetExportedRdyForXferEventLvlActiveLvl.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3506
DAQmxSetExportedRdyForXferEventLvlActiveLvl = _stdcall_libraries['nicaiu'].DAQmxSetExportedRdyForXferEventLvlActiveLvl
DAQmxSetExportedRdyForXferEventLvlActiveLvl.restype = int32
# DAQmxSetExportedRdyForXferEventLvlActiveLvl(taskHandle, data)
DAQmxSetExportedRdyForXferEventLvlActiveLvl.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3507
DAQmxResetExportedRdyForXferEventLvlActiveLvl = _stdcall_libraries['nicaiu'].DAQmxResetExportedRdyForXferEventLvlActiveLvl
DAQmxResetExportedRdyForXferEventLvlActiveLvl.restype = int32
# DAQmxResetExportedRdyForXferEventLvlActiveLvl(taskHandle)
DAQmxResetExportedRdyForXferEventLvlActiveLvl.argtypes = [TaskHandle]
# NIDAQmx.h 3509
DAQmxGetExportedSyncPulseEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedSyncPulseEventOutputTerm
DAQmxGetExportedSyncPulseEventOutputTerm.restype = int32
# DAQmxGetExportedSyncPulseEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedSyncPulseEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3510
DAQmxSetExportedSyncPulseEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedSyncPulseEventOutputTerm
DAQmxSetExportedSyncPulseEventOutputTerm.restype = int32
# DAQmxSetExportedSyncPulseEventOutputTerm(taskHandle, data)
DAQmxSetExportedSyncPulseEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3511
DAQmxResetExportedSyncPulseEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedSyncPulseEventOutputTerm
DAQmxResetExportedSyncPulseEventOutputTerm.restype = int32
# DAQmxResetExportedSyncPulseEventOutputTerm(taskHandle)
DAQmxResetExportedSyncPulseEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3513
DAQmxGetExportedWatchdogExpiredEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxGetExportedWatchdogExpiredEventOutputTerm
DAQmxGetExportedWatchdogExpiredEventOutputTerm.restype = int32
# DAQmxGetExportedWatchdogExpiredEventOutputTerm(taskHandle, data, bufferSize)
DAQmxGetExportedWatchdogExpiredEventOutputTerm.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3514
DAQmxSetExportedWatchdogExpiredEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxSetExportedWatchdogExpiredEventOutputTerm
DAQmxSetExportedWatchdogExpiredEventOutputTerm.restype = int32
# DAQmxSetExportedWatchdogExpiredEventOutputTerm(taskHandle, data)
DAQmxSetExportedWatchdogExpiredEventOutputTerm.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3515
DAQmxResetExportedWatchdogExpiredEventOutputTerm = _stdcall_libraries['nicaiu'].DAQmxResetExportedWatchdogExpiredEventOutputTerm
DAQmxResetExportedWatchdogExpiredEventOutputTerm.restype = int32
# DAQmxResetExportedWatchdogExpiredEventOutputTerm(taskHandle)
DAQmxResetExportedWatchdogExpiredEventOutputTerm.argtypes = [TaskHandle]
# NIDAQmx.h 3519
DAQmxGetDevProductType = _stdcall_libraries['nicaiu'].DAQmxGetDevProductType
DAQmxGetDevProductType.restype = int32
# DAQmxGetDevProductType(device, data, bufferSize)
DAQmxGetDevProductType.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3521
DAQmxGetDevSerialNum = _stdcall_libraries['nicaiu'].DAQmxGetDevSerialNum
DAQmxGetDevSerialNum.restype = int32
# DAQmxGetDevSerialNum(device, data)
DAQmxGetDevSerialNum.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3523
DAQmxGetDevIsSimulated = _stdcall_libraries['nicaiu'].DAQmxGetDevIsSimulated
DAQmxGetDevIsSimulated.restype = int32
# DAQmxGetDevIsSimulated(device, data)
DAQmxGetDevIsSimulated.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 3528
DAQmxGetReadRelativeTo = _stdcall_libraries['nicaiu'].DAQmxGetReadRelativeTo
DAQmxGetReadRelativeTo.restype = int32
# DAQmxGetReadRelativeTo(taskHandle, data)
DAQmxGetReadRelativeTo.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3529
DAQmxSetReadRelativeTo = _stdcall_libraries['nicaiu'].DAQmxSetReadRelativeTo
DAQmxSetReadRelativeTo.restype = int32
# DAQmxSetReadRelativeTo(taskHandle, data)
DAQmxSetReadRelativeTo.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3530
DAQmxResetReadRelativeTo = _stdcall_libraries['nicaiu'].DAQmxResetReadRelativeTo
DAQmxResetReadRelativeTo.restype = int32
# DAQmxResetReadRelativeTo(taskHandle)
DAQmxResetReadRelativeTo.argtypes = [TaskHandle]
# NIDAQmx.h 3532
DAQmxGetReadOffset = _stdcall_libraries['nicaiu'].DAQmxGetReadOffset
DAQmxGetReadOffset.restype = int32
# DAQmxGetReadOffset(taskHandle, data)
DAQmxGetReadOffset.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3533
DAQmxSetReadOffset = _stdcall_libraries['nicaiu'].DAQmxSetReadOffset
DAQmxSetReadOffset.restype = int32
# DAQmxSetReadOffset(taskHandle, data)
DAQmxSetReadOffset.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3534
DAQmxResetReadOffset = _stdcall_libraries['nicaiu'].DAQmxResetReadOffset
DAQmxResetReadOffset.restype = int32
# DAQmxResetReadOffset(taskHandle)
DAQmxResetReadOffset.argtypes = [TaskHandle]
# NIDAQmx.h 3536
DAQmxGetReadChannelsToRead = _stdcall_libraries['nicaiu'].DAQmxGetReadChannelsToRead
DAQmxGetReadChannelsToRead.restype = int32
# DAQmxGetReadChannelsToRead(taskHandle, data, bufferSize)
DAQmxGetReadChannelsToRead.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3537
DAQmxSetReadChannelsToRead = _stdcall_libraries['nicaiu'].DAQmxSetReadChannelsToRead
DAQmxSetReadChannelsToRead.restype = int32
# DAQmxSetReadChannelsToRead(taskHandle, data)
DAQmxSetReadChannelsToRead.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3538
DAQmxResetReadChannelsToRead = _stdcall_libraries['nicaiu'].DAQmxResetReadChannelsToRead
DAQmxResetReadChannelsToRead.restype = int32
# DAQmxResetReadChannelsToRead(taskHandle)
DAQmxResetReadChannelsToRead.argtypes = [TaskHandle]
# NIDAQmx.h 3540
DAQmxGetReadReadAllAvailSamp = _stdcall_libraries['nicaiu'].DAQmxGetReadReadAllAvailSamp
DAQmxGetReadReadAllAvailSamp.restype = int32
# DAQmxGetReadReadAllAvailSamp(taskHandle, data)
DAQmxGetReadReadAllAvailSamp.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3541
DAQmxSetReadReadAllAvailSamp = _stdcall_libraries['nicaiu'].DAQmxSetReadReadAllAvailSamp
DAQmxSetReadReadAllAvailSamp.restype = int32
# DAQmxSetReadReadAllAvailSamp(taskHandle, data)
DAQmxSetReadReadAllAvailSamp.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3542
DAQmxResetReadReadAllAvailSamp = _stdcall_libraries['nicaiu'].DAQmxResetReadReadAllAvailSamp
DAQmxResetReadReadAllAvailSamp.restype = int32
# DAQmxResetReadReadAllAvailSamp(taskHandle)
DAQmxResetReadReadAllAvailSamp.argtypes = [TaskHandle]
# NIDAQmx.h 3544
DAQmxGetReadAutoStart = _stdcall_libraries['nicaiu'].DAQmxGetReadAutoStart
DAQmxGetReadAutoStart.restype = int32
# DAQmxGetReadAutoStart(taskHandle, data)
DAQmxGetReadAutoStart.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3545
DAQmxSetReadAutoStart = _stdcall_libraries['nicaiu'].DAQmxSetReadAutoStart
DAQmxSetReadAutoStart.restype = int32
# DAQmxSetReadAutoStart(taskHandle, data)
DAQmxSetReadAutoStart.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3546
DAQmxResetReadAutoStart = _stdcall_libraries['nicaiu'].DAQmxResetReadAutoStart
DAQmxResetReadAutoStart.restype = int32
# DAQmxResetReadAutoStart(taskHandle)
DAQmxResetReadAutoStart.argtypes = [TaskHandle]
# NIDAQmx.h 3549
DAQmxGetReadOverWrite = _stdcall_libraries['nicaiu'].DAQmxGetReadOverWrite
DAQmxGetReadOverWrite.restype = int32
# DAQmxGetReadOverWrite(taskHandle, data)
DAQmxGetReadOverWrite.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3550
DAQmxSetReadOverWrite = _stdcall_libraries['nicaiu'].DAQmxSetReadOverWrite
DAQmxSetReadOverWrite.restype = int32
# DAQmxSetReadOverWrite(taskHandle, data)
DAQmxSetReadOverWrite.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3551
DAQmxResetReadOverWrite = _stdcall_libraries['nicaiu'].DAQmxResetReadOverWrite
DAQmxResetReadOverWrite.restype = int32
# DAQmxResetReadOverWrite(taskHandle)
DAQmxResetReadOverWrite.argtypes = [TaskHandle]
# NIDAQmx.h 3553
DAQmxGetReadCurrReadPos = _stdcall_libraries['nicaiu'].DAQmxGetReadCurrReadPos
DAQmxGetReadCurrReadPos.restype = int32
# DAQmxGetReadCurrReadPos(taskHandle, data)
DAQmxGetReadCurrReadPos.argtypes = [TaskHandle, POINTER(uInt64)]
# NIDAQmx.h 3555
DAQmxGetReadAvailSampPerChan = _stdcall_libraries['nicaiu'].DAQmxGetReadAvailSampPerChan
DAQmxGetReadAvailSampPerChan.restype = int32
# DAQmxGetReadAvailSampPerChan(taskHandle, data)
DAQmxGetReadAvailSampPerChan.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3557
DAQmxGetReadTotalSampPerChanAcquired = _stdcall_libraries['nicaiu'].DAQmxGetReadTotalSampPerChanAcquired
DAQmxGetReadTotalSampPerChanAcquired.restype = int32
# DAQmxGetReadTotalSampPerChanAcquired(taskHandle, data)
DAQmxGetReadTotalSampPerChanAcquired.argtypes = [TaskHandle, POINTER(uInt64)]
# NIDAQmx.h 3559
DAQmxGetReadOverloadedChansExist = _stdcall_libraries['nicaiu'].DAQmxGetReadOverloadedChansExist
DAQmxGetReadOverloadedChansExist.restype = int32
# DAQmxGetReadOverloadedChansExist(taskHandle, data)
DAQmxGetReadOverloadedChansExist.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3561
DAQmxGetReadOverloadedChans = _stdcall_libraries['nicaiu'].DAQmxGetReadOverloadedChans
DAQmxGetReadOverloadedChans.restype = int32
# DAQmxGetReadOverloadedChans(taskHandle, data, bufferSize)
DAQmxGetReadOverloadedChans.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3563
DAQmxGetReadChangeDetectHasOverflowed = _stdcall_libraries['nicaiu'].DAQmxGetReadChangeDetectHasOverflowed
DAQmxGetReadChangeDetectHasOverflowed.restype = int32
# DAQmxGetReadChangeDetectHasOverflowed(taskHandle, data)
DAQmxGetReadChangeDetectHasOverflowed.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3565
DAQmxGetReadRawDataWidth = _stdcall_libraries['nicaiu'].DAQmxGetReadRawDataWidth
DAQmxGetReadRawDataWidth.restype = int32
# DAQmxGetReadRawDataWidth(taskHandle, data)
DAQmxGetReadRawDataWidth.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3567
DAQmxGetReadNumChans = _stdcall_libraries['nicaiu'].DAQmxGetReadNumChans
DAQmxGetReadNumChans.restype = int32
# DAQmxGetReadNumChans(taskHandle, data)
DAQmxGetReadNumChans.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3569
DAQmxGetReadDigitalLinesBytesPerChan = _stdcall_libraries['nicaiu'].DAQmxGetReadDigitalLinesBytesPerChan
DAQmxGetReadDigitalLinesBytesPerChan.restype = int32
# DAQmxGetReadDigitalLinesBytesPerChan(taskHandle, data)
DAQmxGetReadDigitalLinesBytesPerChan.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3572
DAQmxGetReadWaitMode = _stdcall_libraries['nicaiu'].DAQmxGetReadWaitMode
DAQmxGetReadWaitMode.restype = int32
# DAQmxGetReadWaitMode(taskHandle, data)
DAQmxGetReadWaitMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3573
DAQmxSetReadWaitMode = _stdcall_libraries['nicaiu'].DAQmxSetReadWaitMode
DAQmxSetReadWaitMode.restype = int32
# DAQmxSetReadWaitMode(taskHandle, data)
DAQmxSetReadWaitMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3574
DAQmxResetReadWaitMode = _stdcall_libraries['nicaiu'].DAQmxResetReadWaitMode
DAQmxResetReadWaitMode.restype = int32
# DAQmxResetReadWaitMode(taskHandle)
DAQmxResetReadWaitMode.argtypes = [TaskHandle]
# NIDAQmx.h 3576
DAQmxGetReadSleepTime = _stdcall_libraries['nicaiu'].DAQmxGetReadSleepTime
DAQmxGetReadSleepTime.restype = int32
# DAQmxGetReadSleepTime(taskHandle, data)
DAQmxGetReadSleepTime.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3577
DAQmxSetReadSleepTime = _stdcall_libraries['nicaiu'].DAQmxSetReadSleepTime
DAQmxSetReadSleepTime.restype = int32
# DAQmxSetReadSleepTime(taskHandle, data)
DAQmxSetReadSleepTime.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3578
DAQmxResetReadSleepTime = _stdcall_libraries['nicaiu'].DAQmxResetReadSleepTime
DAQmxResetReadSleepTime.restype = int32
# DAQmxResetReadSleepTime(taskHandle)
DAQmxResetReadSleepTime.argtypes = [TaskHandle]
# NIDAQmx.h 3582
DAQmxGetRealTimeConvLateErrorsToWarnings = _stdcall_libraries['nicaiu'].DAQmxGetRealTimeConvLateErrorsToWarnings
DAQmxGetRealTimeConvLateErrorsToWarnings.restype = int32
# DAQmxGetRealTimeConvLateErrorsToWarnings(taskHandle, data)
DAQmxGetRealTimeConvLateErrorsToWarnings.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3583
DAQmxSetRealTimeConvLateErrorsToWarnings = _stdcall_libraries['nicaiu'].DAQmxSetRealTimeConvLateErrorsToWarnings
DAQmxSetRealTimeConvLateErrorsToWarnings.restype = int32
# DAQmxSetRealTimeConvLateErrorsToWarnings(taskHandle, data)
DAQmxSetRealTimeConvLateErrorsToWarnings.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3584
DAQmxResetRealTimeConvLateErrorsToWarnings = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeConvLateErrorsToWarnings
DAQmxResetRealTimeConvLateErrorsToWarnings.restype = int32
# DAQmxResetRealTimeConvLateErrorsToWarnings(taskHandle)
DAQmxResetRealTimeConvLateErrorsToWarnings.argtypes = [TaskHandle]
# NIDAQmx.h 3586
DAQmxGetRealTimeNumOfWarmupIters = _stdcall_libraries['nicaiu'].DAQmxGetRealTimeNumOfWarmupIters
DAQmxGetRealTimeNumOfWarmupIters.restype = int32
# DAQmxGetRealTimeNumOfWarmupIters(taskHandle, data)
DAQmxGetRealTimeNumOfWarmupIters.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3587
DAQmxSetRealTimeNumOfWarmupIters = _stdcall_libraries['nicaiu'].DAQmxSetRealTimeNumOfWarmupIters
DAQmxSetRealTimeNumOfWarmupIters.restype = int32
# DAQmxSetRealTimeNumOfWarmupIters(taskHandle, data)
DAQmxSetRealTimeNumOfWarmupIters.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 3588
DAQmxResetRealTimeNumOfWarmupIters = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeNumOfWarmupIters
DAQmxResetRealTimeNumOfWarmupIters.restype = int32
# DAQmxResetRealTimeNumOfWarmupIters(taskHandle)
DAQmxResetRealTimeNumOfWarmupIters.argtypes = [TaskHandle]
# NIDAQmx.h 3591
DAQmxGetRealTimeWaitForNextSampClkWaitMode = _stdcall_libraries['nicaiu'].DAQmxGetRealTimeWaitForNextSampClkWaitMode
DAQmxGetRealTimeWaitForNextSampClkWaitMode.restype = int32
# DAQmxGetRealTimeWaitForNextSampClkWaitMode(taskHandle, data)
DAQmxGetRealTimeWaitForNextSampClkWaitMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3592
DAQmxSetRealTimeWaitForNextSampClkWaitMode = _stdcall_libraries['nicaiu'].DAQmxSetRealTimeWaitForNextSampClkWaitMode
DAQmxSetRealTimeWaitForNextSampClkWaitMode.restype = int32
# DAQmxSetRealTimeWaitForNextSampClkWaitMode(taskHandle, data)
DAQmxSetRealTimeWaitForNextSampClkWaitMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3593
DAQmxResetRealTimeWaitForNextSampClkWaitMode = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeWaitForNextSampClkWaitMode
DAQmxResetRealTimeWaitForNextSampClkWaitMode.restype = int32
# DAQmxResetRealTimeWaitForNextSampClkWaitMode(taskHandle)
DAQmxResetRealTimeWaitForNextSampClkWaitMode.argtypes = [TaskHandle]
# NIDAQmx.h 3595
DAQmxGetRealTimeReportMissedSamp = _stdcall_libraries['nicaiu'].DAQmxGetRealTimeReportMissedSamp
DAQmxGetRealTimeReportMissedSamp.restype = int32
# DAQmxGetRealTimeReportMissedSamp(taskHandle, data)
DAQmxGetRealTimeReportMissedSamp.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3596
DAQmxSetRealTimeReportMissedSamp = _stdcall_libraries['nicaiu'].DAQmxSetRealTimeReportMissedSamp
DAQmxSetRealTimeReportMissedSamp.restype = int32
# DAQmxSetRealTimeReportMissedSamp(taskHandle, data)
DAQmxSetRealTimeReportMissedSamp.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3597
DAQmxResetRealTimeReportMissedSamp = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeReportMissedSamp
DAQmxResetRealTimeReportMissedSamp.restype = int32
# DAQmxResetRealTimeReportMissedSamp(taskHandle)
DAQmxResetRealTimeReportMissedSamp.argtypes = [TaskHandle]
# NIDAQmx.h 3600
DAQmxGetRealTimeWriteRecoveryMode = _stdcall_libraries['nicaiu'].DAQmxGetRealTimeWriteRecoveryMode
DAQmxGetRealTimeWriteRecoveryMode.restype = int32
# DAQmxGetRealTimeWriteRecoveryMode(taskHandle, data)
DAQmxGetRealTimeWriteRecoveryMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3601
DAQmxSetRealTimeWriteRecoveryMode = _stdcall_libraries['nicaiu'].DAQmxSetRealTimeWriteRecoveryMode
DAQmxSetRealTimeWriteRecoveryMode.restype = int32
# DAQmxSetRealTimeWriteRecoveryMode(taskHandle, data)
DAQmxSetRealTimeWriteRecoveryMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3602
DAQmxResetRealTimeWriteRecoveryMode = _stdcall_libraries['nicaiu'].DAQmxResetRealTimeWriteRecoveryMode
DAQmxResetRealTimeWriteRecoveryMode.restype = int32
# DAQmxResetRealTimeWriteRecoveryMode(taskHandle)
DAQmxResetRealTimeWriteRecoveryMode.argtypes = [TaskHandle]
# NIDAQmx.h 3607
DAQmxGetSwitchChanUsage = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanUsage
DAQmxGetSwitchChanUsage.restype = int32
# DAQmxGetSwitchChanUsage(switchChannelName, data)
DAQmxGetSwitchChanUsage.argtypes = [STRING, POINTER(int32)]
# NIDAQmx.h 3608
DAQmxSetSwitchChanUsage = _stdcall_libraries['nicaiu'].DAQmxSetSwitchChanUsage
DAQmxSetSwitchChanUsage.restype = int32
# DAQmxSetSwitchChanUsage(switchChannelName, data)
DAQmxSetSwitchChanUsage.argtypes = [STRING, int32]
# NIDAQmx.h 3610
DAQmxGetSwitchChanMaxACCarryCurrent = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxACCarryCurrent
DAQmxGetSwitchChanMaxACCarryCurrent.restype = int32
# DAQmxGetSwitchChanMaxACCarryCurrent(switchChannelName, data)
DAQmxGetSwitchChanMaxACCarryCurrent.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3612
DAQmxGetSwitchChanMaxACSwitchCurrent = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxACSwitchCurrent
DAQmxGetSwitchChanMaxACSwitchCurrent.restype = int32
# DAQmxGetSwitchChanMaxACSwitchCurrent(switchChannelName, data)
DAQmxGetSwitchChanMaxACSwitchCurrent.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3614
DAQmxGetSwitchChanMaxACCarryPwr = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxACCarryPwr
DAQmxGetSwitchChanMaxACCarryPwr.restype = int32
# DAQmxGetSwitchChanMaxACCarryPwr(switchChannelName, data)
DAQmxGetSwitchChanMaxACCarryPwr.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3616
DAQmxGetSwitchChanMaxACSwitchPwr = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxACSwitchPwr
DAQmxGetSwitchChanMaxACSwitchPwr.restype = int32
# DAQmxGetSwitchChanMaxACSwitchPwr(switchChannelName, data)
DAQmxGetSwitchChanMaxACSwitchPwr.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3618
DAQmxGetSwitchChanMaxDCCarryCurrent = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxDCCarryCurrent
DAQmxGetSwitchChanMaxDCCarryCurrent.restype = int32
# DAQmxGetSwitchChanMaxDCCarryCurrent(switchChannelName, data)
DAQmxGetSwitchChanMaxDCCarryCurrent.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3620
DAQmxGetSwitchChanMaxDCSwitchCurrent = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxDCSwitchCurrent
DAQmxGetSwitchChanMaxDCSwitchCurrent.restype = int32
# DAQmxGetSwitchChanMaxDCSwitchCurrent(switchChannelName, data)
DAQmxGetSwitchChanMaxDCSwitchCurrent.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3622
DAQmxGetSwitchChanMaxDCCarryPwr = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxDCCarryPwr
DAQmxGetSwitchChanMaxDCCarryPwr.restype = int32
# DAQmxGetSwitchChanMaxDCCarryPwr(switchChannelName, data)
DAQmxGetSwitchChanMaxDCCarryPwr.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3624
DAQmxGetSwitchChanMaxDCSwitchPwr = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxDCSwitchPwr
DAQmxGetSwitchChanMaxDCSwitchPwr.restype = int32
# DAQmxGetSwitchChanMaxDCSwitchPwr(switchChannelName, data)
DAQmxGetSwitchChanMaxDCSwitchPwr.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3626
DAQmxGetSwitchChanMaxACVoltage = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxACVoltage
DAQmxGetSwitchChanMaxACVoltage.restype = int32
# DAQmxGetSwitchChanMaxACVoltage(switchChannelName, data)
DAQmxGetSwitchChanMaxACVoltage.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3628
DAQmxGetSwitchChanMaxDCVoltage = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanMaxDCVoltage
DAQmxGetSwitchChanMaxDCVoltage.restype = int32
# DAQmxGetSwitchChanMaxDCVoltage(switchChannelName, data)
DAQmxGetSwitchChanMaxDCVoltage.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3630
DAQmxGetSwitchChanWireMode = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanWireMode
DAQmxGetSwitchChanWireMode.restype = int32
# DAQmxGetSwitchChanWireMode(switchChannelName, data)
DAQmxGetSwitchChanWireMode.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3632
DAQmxGetSwitchChanBandwidth = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanBandwidth
DAQmxGetSwitchChanBandwidth.restype = int32
# DAQmxGetSwitchChanBandwidth(switchChannelName, data)
DAQmxGetSwitchChanBandwidth.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3634
DAQmxGetSwitchChanImpedance = _stdcall_libraries['nicaiu'].DAQmxGetSwitchChanImpedance
DAQmxGetSwitchChanImpedance.restype = int32
# DAQmxGetSwitchChanImpedance(switchChannelName, data)
DAQmxGetSwitchChanImpedance.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3638
DAQmxGetSwitchDevSettlingTime = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevSettlingTime
DAQmxGetSwitchDevSettlingTime.restype = int32
# DAQmxGetSwitchDevSettlingTime(deviceName, data)
DAQmxGetSwitchDevSettlingTime.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3639
DAQmxSetSwitchDevSettlingTime = _stdcall_libraries['nicaiu'].DAQmxSetSwitchDevSettlingTime
DAQmxSetSwitchDevSettlingTime.restype = int32
# DAQmxSetSwitchDevSettlingTime(deviceName, data)
DAQmxSetSwitchDevSettlingTime.argtypes = [STRING, float64]
# NIDAQmx.h 3641
DAQmxGetSwitchDevAutoConnAnlgBus = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevAutoConnAnlgBus
DAQmxGetSwitchDevAutoConnAnlgBus.restype = int32
# DAQmxGetSwitchDevAutoConnAnlgBus(deviceName, data)
DAQmxGetSwitchDevAutoConnAnlgBus.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 3642
DAQmxSetSwitchDevAutoConnAnlgBus = _stdcall_libraries['nicaiu'].DAQmxSetSwitchDevAutoConnAnlgBus
DAQmxSetSwitchDevAutoConnAnlgBus.restype = int32
# DAQmxSetSwitchDevAutoConnAnlgBus(deviceName, data)
DAQmxSetSwitchDevAutoConnAnlgBus.argtypes = [STRING, bool32]
# NIDAQmx.h 3644
DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling
DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling.restype = int32
# DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling(deviceName, data)
DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 3645
DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling = _stdcall_libraries['nicaiu'].DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling
DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling.restype = int32
# DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling(deviceName, data)
DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling.argtypes = [STRING, bool32]
# NIDAQmx.h 3647
DAQmxGetSwitchDevSettled = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevSettled
DAQmxGetSwitchDevSettled.restype = int32
# DAQmxGetSwitchDevSettled(deviceName, data)
DAQmxGetSwitchDevSettled.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 3649
DAQmxGetSwitchDevRelayList = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevRelayList
DAQmxGetSwitchDevRelayList.restype = int32
# DAQmxGetSwitchDevRelayList(deviceName, data, bufferSize)
DAQmxGetSwitchDevRelayList.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3651
DAQmxGetSwitchDevNumRelays = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevNumRelays
DAQmxGetSwitchDevNumRelays.restype = int32
# DAQmxGetSwitchDevNumRelays(deviceName, data)
DAQmxGetSwitchDevNumRelays.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3653
DAQmxGetSwitchDevSwitchChanList = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevSwitchChanList
DAQmxGetSwitchDevSwitchChanList.restype = int32
# DAQmxGetSwitchDevSwitchChanList(deviceName, data, bufferSize)
DAQmxGetSwitchDevSwitchChanList.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3655
DAQmxGetSwitchDevNumSwitchChans = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevNumSwitchChans
DAQmxGetSwitchDevNumSwitchChans.restype = int32
# DAQmxGetSwitchDevNumSwitchChans(deviceName, data)
DAQmxGetSwitchDevNumSwitchChans.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3657
DAQmxGetSwitchDevNumRows = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevNumRows
DAQmxGetSwitchDevNumRows.restype = int32
# DAQmxGetSwitchDevNumRows(deviceName, data)
DAQmxGetSwitchDevNumRows.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3659
DAQmxGetSwitchDevNumColumns = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevNumColumns
DAQmxGetSwitchDevNumColumns.restype = int32
# DAQmxGetSwitchDevNumColumns(deviceName, data)
DAQmxGetSwitchDevNumColumns.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 3661
DAQmxGetSwitchDevTopology = _stdcall_libraries['nicaiu'].DAQmxGetSwitchDevTopology
DAQmxGetSwitchDevTopology.restype = int32
# DAQmxGetSwitchDevTopology(deviceName, data, bufferSize)
DAQmxGetSwitchDevTopology.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3666
DAQmxGetSwitchScanBreakMode = _stdcall_libraries['nicaiu'].DAQmxGetSwitchScanBreakMode
DAQmxGetSwitchScanBreakMode.restype = int32
# DAQmxGetSwitchScanBreakMode(taskHandle, data)
DAQmxGetSwitchScanBreakMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3667
DAQmxSetSwitchScanBreakMode = _stdcall_libraries['nicaiu'].DAQmxSetSwitchScanBreakMode
DAQmxSetSwitchScanBreakMode.restype = int32
# DAQmxSetSwitchScanBreakMode(taskHandle, data)
DAQmxSetSwitchScanBreakMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3668
DAQmxResetSwitchScanBreakMode = _stdcall_libraries['nicaiu'].DAQmxResetSwitchScanBreakMode
DAQmxResetSwitchScanBreakMode.restype = int32
# DAQmxResetSwitchScanBreakMode(taskHandle)
DAQmxResetSwitchScanBreakMode.argtypes = [TaskHandle]
# NIDAQmx.h 3671
DAQmxGetSwitchScanRepeatMode = _stdcall_libraries['nicaiu'].DAQmxGetSwitchScanRepeatMode
DAQmxGetSwitchScanRepeatMode.restype = int32
# DAQmxGetSwitchScanRepeatMode(taskHandle, data)
DAQmxGetSwitchScanRepeatMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3672
DAQmxSetSwitchScanRepeatMode = _stdcall_libraries['nicaiu'].DAQmxSetSwitchScanRepeatMode
DAQmxSetSwitchScanRepeatMode.restype = int32
# DAQmxSetSwitchScanRepeatMode(taskHandle, data)
DAQmxSetSwitchScanRepeatMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3673
DAQmxResetSwitchScanRepeatMode = _stdcall_libraries['nicaiu'].DAQmxResetSwitchScanRepeatMode
DAQmxResetSwitchScanRepeatMode.restype = int32
# DAQmxResetSwitchScanRepeatMode(taskHandle)
DAQmxResetSwitchScanRepeatMode.argtypes = [TaskHandle]
# NIDAQmx.h 3675
DAQmxGetSwitchScanWaitingForAdv = _stdcall_libraries['nicaiu'].DAQmxGetSwitchScanWaitingForAdv
DAQmxGetSwitchScanWaitingForAdv.restype = int32
# DAQmxGetSwitchScanWaitingForAdv(taskHandle, data)
DAQmxGetSwitchScanWaitingForAdv.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3679
DAQmxGetScaleDescr = _stdcall_libraries['nicaiu'].DAQmxGetScaleDescr
DAQmxGetScaleDescr.restype = int32
# DAQmxGetScaleDescr(scaleName, data, bufferSize)
DAQmxGetScaleDescr.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3680
DAQmxSetScaleDescr = _stdcall_libraries['nicaiu'].DAQmxSetScaleDescr
DAQmxSetScaleDescr.restype = int32
# DAQmxSetScaleDescr(scaleName, data)
DAQmxSetScaleDescr.argtypes = [STRING, STRING]
# NIDAQmx.h 3682
DAQmxGetScaleScaledUnits = _stdcall_libraries['nicaiu'].DAQmxGetScaleScaledUnits
DAQmxGetScaleScaledUnits.restype = int32
# DAQmxGetScaleScaledUnits(scaleName, data, bufferSize)
DAQmxGetScaleScaledUnits.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 3683
DAQmxSetScaleScaledUnits = _stdcall_libraries['nicaiu'].DAQmxSetScaleScaledUnits
DAQmxSetScaleScaledUnits.restype = int32
# DAQmxSetScaleScaledUnits(scaleName, data)
DAQmxSetScaleScaledUnits.argtypes = [STRING, STRING]
# NIDAQmx.h 3686
DAQmxGetScalePreScaledUnits = _stdcall_libraries['nicaiu'].DAQmxGetScalePreScaledUnits
DAQmxGetScalePreScaledUnits.restype = int32
# DAQmxGetScalePreScaledUnits(scaleName, data)
DAQmxGetScalePreScaledUnits.argtypes = [STRING, POINTER(int32)]
# NIDAQmx.h 3687
DAQmxSetScalePreScaledUnits = _stdcall_libraries['nicaiu'].DAQmxSetScalePreScaledUnits
DAQmxSetScalePreScaledUnits.restype = int32
# DAQmxSetScalePreScaledUnits(scaleName, data)
DAQmxSetScalePreScaledUnits.argtypes = [STRING, int32]
# NIDAQmx.h 3690
DAQmxGetScaleType = _stdcall_libraries['nicaiu'].DAQmxGetScaleType
DAQmxGetScaleType.restype = int32
# DAQmxGetScaleType(scaleName, data)
DAQmxGetScaleType.argtypes = [STRING, POINTER(int32)]
# NIDAQmx.h 3692
DAQmxGetScaleLinSlope = _stdcall_libraries['nicaiu'].DAQmxGetScaleLinSlope
DAQmxGetScaleLinSlope.restype = int32
# DAQmxGetScaleLinSlope(scaleName, data)
DAQmxGetScaleLinSlope.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3693
DAQmxSetScaleLinSlope = _stdcall_libraries['nicaiu'].DAQmxSetScaleLinSlope
DAQmxSetScaleLinSlope.restype = int32
# DAQmxSetScaleLinSlope(scaleName, data)
DAQmxSetScaleLinSlope.argtypes = [STRING, float64]
# NIDAQmx.h 3695
DAQmxGetScaleLinYIntercept = _stdcall_libraries['nicaiu'].DAQmxGetScaleLinYIntercept
DAQmxGetScaleLinYIntercept.restype = int32
# DAQmxGetScaleLinYIntercept(scaleName, data)
DAQmxGetScaleLinYIntercept.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3696
DAQmxSetScaleLinYIntercept = _stdcall_libraries['nicaiu'].DAQmxSetScaleLinYIntercept
DAQmxSetScaleLinYIntercept.restype = int32
# DAQmxSetScaleLinYIntercept(scaleName, data)
DAQmxSetScaleLinYIntercept.argtypes = [STRING, float64]
# NIDAQmx.h 3698
DAQmxGetScaleMapScaledMax = _stdcall_libraries['nicaiu'].DAQmxGetScaleMapScaledMax
DAQmxGetScaleMapScaledMax.restype = int32
# DAQmxGetScaleMapScaledMax(scaleName, data)
DAQmxGetScaleMapScaledMax.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3699
DAQmxSetScaleMapScaledMax = _stdcall_libraries['nicaiu'].DAQmxSetScaleMapScaledMax
DAQmxSetScaleMapScaledMax.restype = int32
# DAQmxSetScaleMapScaledMax(scaleName, data)
DAQmxSetScaleMapScaledMax.argtypes = [STRING, float64]
# NIDAQmx.h 3701
DAQmxGetScaleMapPreScaledMax = _stdcall_libraries['nicaiu'].DAQmxGetScaleMapPreScaledMax
DAQmxGetScaleMapPreScaledMax.restype = int32
# DAQmxGetScaleMapPreScaledMax(scaleName, data)
DAQmxGetScaleMapPreScaledMax.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3702
DAQmxSetScaleMapPreScaledMax = _stdcall_libraries['nicaiu'].DAQmxSetScaleMapPreScaledMax
DAQmxSetScaleMapPreScaledMax.restype = int32
# DAQmxSetScaleMapPreScaledMax(scaleName, data)
DAQmxSetScaleMapPreScaledMax.argtypes = [STRING, float64]
# NIDAQmx.h 3704
DAQmxGetScaleMapScaledMin = _stdcall_libraries['nicaiu'].DAQmxGetScaleMapScaledMin
DAQmxGetScaleMapScaledMin.restype = int32
# DAQmxGetScaleMapScaledMin(scaleName, data)
DAQmxGetScaleMapScaledMin.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3705
DAQmxSetScaleMapScaledMin = _stdcall_libraries['nicaiu'].DAQmxSetScaleMapScaledMin
DAQmxSetScaleMapScaledMin.restype = int32
# DAQmxSetScaleMapScaledMin(scaleName, data)
DAQmxSetScaleMapScaledMin.argtypes = [STRING, float64]
# NIDAQmx.h 3707
DAQmxGetScaleMapPreScaledMin = _stdcall_libraries['nicaiu'].DAQmxGetScaleMapPreScaledMin
DAQmxGetScaleMapPreScaledMin.restype = int32
# DAQmxGetScaleMapPreScaledMin(scaleName, data)
DAQmxGetScaleMapPreScaledMin.argtypes = [STRING, POINTER(float64)]
# NIDAQmx.h 3708
DAQmxSetScaleMapPreScaledMin = _stdcall_libraries['nicaiu'].DAQmxSetScaleMapPreScaledMin
DAQmxSetScaleMapPreScaledMin.restype = int32
# DAQmxSetScaleMapPreScaledMin(scaleName, data)
DAQmxSetScaleMapPreScaledMin.argtypes = [STRING, float64]
# NIDAQmx.h 3710
DAQmxGetScalePolyForwardCoeff = _stdcall_libraries['nicaiu'].DAQmxGetScalePolyForwardCoeff
DAQmxGetScalePolyForwardCoeff.restype = int32
# DAQmxGetScalePolyForwardCoeff(scaleName, data, arraySizeInSamples)
DAQmxGetScalePolyForwardCoeff.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3711
DAQmxSetScalePolyForwardCoeff = _stdcall_libraries['nicaiu'].DAQmxSetScalePolyForwardCoeff
DAQmxSetScalePolyForwardCoeff.restype = int32
# DAQmxSetScalePolyForwardCoeff(scaleName, data, arraySizeInSamples)
DAQmxSetScalePolyForwardCoeff.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3713
DAQmxGetScalePolyReverseCoeff = _stdcall_libraries['nicaiu'].DAQmxGetScalePolyReverseCoeff
DAQmxGetScalePolyReverseCoeff.restype = int32
# DAQmxGetScalePolyReverseCoeff(scaleName, data, arraySizeInSamples)
DAQmxGetScalePolyReverseCoeff.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3714
DAQmxSetScalePolyReverseCoeff = _stdcall_libraries['nicaiu'].DAQmxSetScalePolyReverseCoeff
DAQmxSetScalePolyReverseCoeff.restype = int32
# DAQmxSetScalePolyReverseCoeff(scaleName, data, arraySizeInSamples)
DAQmxSetScalePolyReverseCoeff.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3716
DAQmxGetScaleTableScaledVals = _stdcall_libraries['nicaiu'].DAQmxGetScaleTableScaledVals
DAQmxGetScaleTableScaledVals.restype = int32
# DAQmxGetScaleTableScaledVals(scaleName, data, arraySizeInSamples)
DAQmxGetScaleTableScaledVals.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3717
DAQmxSetScaleTableScaledVals = _stdcall_libraries['nicaiu'].DAQmxSetScaleTableScaledVals
DAQmxSetScaleTableScaledVals.restype = int32
# DAQmxSetScaleTableScaledVals(scaleName, data, arraySizeInSamples)
DAQmxSetScaleTableScaledVals.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3719
DAQmxGetScaleTablePreScaledVals = _stdcall_libraries['nicaiu'].DAQmxGetScaleTablePreScaledVals
DAQmxGetScaleTablePreScaledVals.restype = int32
# DAQmxGetScaleTablePreScaledVals(scaleName, data, arraySizeInSamples)
DAQmxGetScaleTablePreScaledVals.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3720
DAQmxSetScaleTablePreScaledVals = _stdcall_libraries['nicaiu'].DAQmxSetScaleTablePreScaledVals
DAQmxSetScaleTablePreScaledVals.restype = int32
# DAQmxSetScaleTablePreScaledVals(scaleName, data, arraySizeInSamples)
DAQmxSetScaleTablePreScaledVals.argtypes = [STRING, POINTER(float64), uInt32]
# NIDAQmx.h 3724
DAQmxGetSysGlobalChans = _stdcall_libraries['nicaiu'].DAQmxGetSysGlobalChans
DAQmxGetSysGlobalChans.restype = int32
# DAQmxGetSysGlobalChans(data, bufferSize)
DAQmxGetSysGlobalChans.argtypes = [STRING, uInt32]
# NIDAQmx.h 3726
DAQmxGetSysScales = _stdcall_libraries['nicaiu'].DAQmxGetSysScales
DAQmxGetSysScales.restype = int32
# DAQmxGetSysScales(data, bufferSize)
DAQmxGetSysScales.argtypes = [STRING, uInt32]
# NIDAQmx.h 3728
DAQmxGetSysTasks = _stdcall_libraries['nicaiu'].DAQmxGetSysTasks
DAQmxGetSysTasks.restype = int32
# DAQmxGetSysTasks(data, bufferSize)
DAQmxGetSysTasks.argtypes = [STRING, uInt32]
# NIDAQmx.h 3730
DAQmxGetSysDevNames = _stdcall_libraries['nicaiu'].DAQmxGetSysDevNames
DAQmxGetSysDevNames.restype = int32
# DAQmxGetSysDevNames(data, bufferSize)
DAQmxGetSysDevNames.argtypes = [STRING, uInt32]
# NIDAQmx.h 3732
DAQmxGetSysNIDAQMajorVersion = _stdcall_libraries['nicaiu'].DAQmxGetSysNIDAQMajorVersion
DAQmxGetSysNIDAQMajorVersion.restype = int32
# DAQmxGetSysNIDAQMajorVersion(data)
DAQmxGetSysNIDAQMajorVersion.argtypes = [POINTER(uInt32)]
# NIDAQmx.h 3734
DAQmxGetSysNIDAQMinorVersion = _stdcall_libraries['nicaiu'].DAQmxGetSysNIDAQMinorVersion
DAQmxGetSysNIDAQMinorVersion.restype = int32
# DAQmxGetSysNIDAQMinorVersion(data)
DAQmxGetSysNIDAQMinorVersion.argtypes = [POINTER(uInt32)]
# NIDAQmx.h 3738
DAQmxGetTaskName = _stdcall_libraries['nicaiu'].DAQmxGetTaskName
DAQmxGetTaskName.restype = int32
# DAQmxGetTaskName(taskHandle, data, bufferSize)
DAQmxGetTaskName.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3740
DAQmxGetTaskChannels = _stdcall_libraries['nicaiu'].DAQmxGetTaskChannels
DAQmxGetTaskChannels.restype = int32
# DAQmxGetTaskChannels(taskHandle, data, bufferSize)
DAQmxGetTaskChannels.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3742
DAQmxGetTaskNumChans = _stdcall_libraries['nicaiu'].DAQmxGetTaskNumChans
DAQmxGetTaskNumChans.restype = int32
# DAQmxGetTaskNumChans(taskHandle, data)
DAQmxGetTaskNumChans.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3744
DAQmxGetTaskComplete = _stdcall_libraries['nicaiu'].DAQmxGetTaskComplete
DAQmxGetTaskComplete.restype = int32
# DAQmxGetTaskComplete(taskHandle, data)
DAQmxGetTaskComplete.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3749
DAQmxGetSampQuantSampMode = _stdcall_libraries['nicaiu'].DAQmxGetSampQuantSampMode
DAQmxGetSampQuantSampMode.restype = int32
# DAQmxGetSampQuantSampMode(taskHandle, data)
DAQmxGetSampQuantSampMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3750
DAQmxSetSampQuantSampMode = _stdcall_libraries['nicaiu'].DAQmxSetSampQuantSampMode
DAQmxSetSampQuantSampMode.restype = int32
# DAQmxSetSampQuantSampMode(taskHandle, data)
DAQmxSetSampQuantSampMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3751
DAQmxResetSampQuantSampMode = _stdcall_libraries['nicaiu'].DAQmxResetSampQuantSampMode
DAQmxResetSampQuantSampMode.restype = int32
# DAQmxResetSampQuantSampMode(taskHandle)
DAQmxResetSampQuantSampMode.argtypes = [TaskHandle]
# NIDAQmx.h 3753
DAQmxGetSampQuantSampPerChan = _stdcall_libraries['nicaiu'].DAQmxGetSampQuantSampPerChan
DAQmxGetSampQuantSampPerChan.restype = int32
# DAQmxGetSampQuantSampPerChan(taskHandle, data)
DAQmxGetSampQuantSampPerChan.argtypes = [TaskHandle, POINTER(uInt64)]
# NIDAQmx.h 3754
DAQmxSetSampQuantSampPerChan = _stdcall_libraries['nicaiu'].DAQmxSetSampQuantSampPerChan
DAQmxSetSampQuantSampPerChan.restype = int32
# DAQmxSetSampQuantSampPerChan(taskHandle, data)
DAQmxSetSampQuantSampPerChan.argtypes = [TaskHandle, uInt64]
# NIDAQmx.h 3755
DAQmxResetSampQuantSampPerChan = _stdcall_libraries['nicaiu'].DAQmxResetSampQuantSampPerChan
DAQmxResetSampQuantSampPerChan.restype = int32
# DAQmxResetSampQuantSampPerChan(taskHandle)
DAQmxResetSampQuantSampPerChan.argtypes = [TaskHandle]
# NIDAQmx.h 3758
DAQmxGetSampTimingType = _stdcall_libraries['nicaiu'].DAQmxGetSampTimingType
DAQmxGetSampTimingType.restype = int32
# DAQmxGetSampTimingType(taskHandle, data)
DAQmxGetSampTimingType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3759
DAQmxSetSampTimingType = _stdcall_libraries['nicaiu'].DAQmxSetSampTimingType
DAQmxSetSampTimingType.restype = int32
# DAQmxSetSampTimingType(taskHandle, data)
DAQmxSetSampTimingType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3760
DAQmxResetSampTimingType = _stdcall_libraries['nicaiu'].DAQmxResetSampTimingType
DAQmxResetSampTimingType.restype = int32
# DAQmxResetSampTimingType(taskHandle)
DAQmxResetSampTimingType.argtypes = [TaskHandle]
# NIDAQmx.h 3762
DAQmxGetSampClkRate = _stdcall_libraries['nicaiu'].DAQmxGetSampClkRate
DAQmxGetSampClkRate.restype = int32
# DAQmxGetSampClkRate(taskHandle, data)
DAQmxGetSampClkRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3763
DAQmxSetSampClkRate = _stdcall_libraries['nicaiu'].DAQmxSetSampClkRate
DAQmxSetSampClkRate.restype = int32
# DAQmxSetSampClkRate(taskHandle, data)
DAQmxSetSampClkRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3764
DAQmxResetSampClkRate = _stdcall_libraries['nicaiu'].DAQmxResetSampClkRate
DAQmxResetSampClkRate.restype = int32
# DAQmxResetSampClkRate(taskHandle)
DAQmxResetSampClkRate.argtypes = [TaskHandle]
# NIDAQmx.h 3766
DAQmxGetSampClkMaxRate = _stdcall_libraries['nicaiu'].DAQmxGetSampClkMaxRate
DAQmxGetSampClkMaxRate.restype = int32
# DAQmxGetSampClkMaxRate(taskHandle, data)
DAQmxGetSampClkMaxRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3768
DAQmxGetSampClkSrc = _stdcall_libraries['nicaiu'].DAQmxGetSampClkSrc
DAQmxGetSampClkSrc.restype = int32
# DAQmxGetSampClkSrc(taskHandle, data, bufferSize)
DAQmxGetSampClkSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3769
DAQmxSetSampClkSrc = _stdcall_libraries['nicaiu'].DAQmxSetSampClkSrc
DAQmxSetSampClkSrc.restype = int32
# DAQmxSetSampClkSrc(taskHandle, data)
DAQmxSetSampClkSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3770
DAQmxResetSampClkSrc = _stdcall_libraries['nicaiu'].DAQmxResetSampClkSrc
DAQmxResetSampClkSrc.restype = int32
# DAQmxResetSampClkSrc(taskHandle)
DAQmxResetSampClkSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3773
DAQmxGetSampClkActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetSampClkActiveEdge
DAQmxGetSampClkActiveEdge.restype = int32
# DAQmxGetSampClkActiveEdge(taskHandle, data)
DAQmxGetSampClkActiveEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3774
DAQmxSetSampClkActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetSampClkActiveEdge
DAQmxSetSampClkActiveEdge.restype = int32
# DAQmxSetSampClkActiveEdge(taskHandle, data)
DAQmxSetSampClkActiveEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3775
DAQmxResetSampClkActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetSampClkActiveEdge
DAQmxResetSampClkActiveEdge.restype = int32
# DAQmxResetSampClkActiveEdge(taskHandle)
DAQmxResetSampClkActiveEdge.argtypes = [TaskHandle]
# NIDAQmx.h 3777
DAQmxGetSampClkTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxGetSampClkTimebaseDiv
DAQmxGetSampClkTimebaseDiv.restype = int32
# DAQmxGetSampClkTimebaseDiv(taskHandle, data)
DAQmxGetSampClkTimebaseDiv.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3778
DAQmxSetSampClkTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxSetSampClkTimebaseDiv
DAQmxSetSampClkTimebaseDiv.restype = int32
# DAQmxSetSampClkTimebaseDiv(taskHandle, data)
DAQmxSetSampClkTimebaseDiv.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 3779
DAQmxResetSampClkTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxResetSampClkTimebaseDiv
DAQmxResetSampClkTimebaseDiv.restype = int32
# DAQmxResetSampClkTimebaseDiv(taskHandle)
DAQmxResetSampClkTimebaseDiv.argtypes = [TaskHandle]
# NIDAQmx.h 3781
DAQmxGetSampClkTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetSampClkTimebaseRate
DAQmxGetSampClkTimebaseRate.restype = int32
# DAQmxGetSampClkTimebaseRate(taskHandle, data)
DAQmxGetSampClkTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3782
DAQmxSetSampClkTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetSampClkTimebaseRate
DAQmxSetSampClkTimebaseRate.restype = int32
# DAQmxSetSampClkTimebaseRate(taskHandle, data)
DAQmxSetSampClkTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3783
DAQmxResetSampClkTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetSampClkTimebaseRate
DAQmxResetSampClkTimebaseRate.restype = int32
# DAQmxResetSampClkTimebaseRate(taskHandle)
DAQmxResetSampClkTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 3785
DAQmxGetSampClkTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetSampClkTimebaseSrc
DAQmxGetSampClkTimebaseSrc.restype = int32
# DAQmxGetSampClkTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetSampClkTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3786
DAQmxSetSampClkTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetSampClkTimebaseSrc
DAQmxSetSampClkTimebaseSrc.restype = int32
# DAQmxSetSampClkTimebaseSrc(taskHandle, data)
DAQmxSetSampClkTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3787
DAQmxResetSampClkTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetSampClkTimebaseSrc
DAQmxResetSampClkTimebaseSrc.restype = int32
# DAQmxResetSampClkTimebaseSrc(taskHandle)
DAQmxResetSampClkTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3790
DAQmxGetSampClkTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetSampClkTimebaseActiveEdge
DAQmxGetSampClkTimebaseActiveEdge.restype = int32
# DAQmxGetSampClkTimebaseActiveEdge(taskHandle, data)
DAQmxGetSampClkTimebaseActiveEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3791
DAQmxSetSampClkTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetSampClkTimebaseActiveEdge
DAQmxSetSampClkTimebaseActiveEdge.restype = int32
# DAQmxSetSampClkTimebaseActiveEdge(taskHandle, data)
DAQmxSetSampClkTimebaseActiveEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3792
DAQmxResetSampClkTimebaseActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetSampClkTimebaseActiveEdge
DAQmxResetSampClkTimebaseActiveEdge.restype = int32
# DAQmxResetSampClkTimebaseActiveEdge(taskHandle)
DAQmxResetSampClkTimebaseActiveEdge.argtypes = [TaskHandle]
# NIDAQmx.h 3794
DAQmxGetSampClkTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxGetSampClkTimebaseMasterTimebaseDiv
DAQmxGetSampClkTimebaseMasterTimebaseDiv.restype = int32
# DAQmxGetSampClkTimebaseMasterTimebaseDiv(taskHandle, data)
DAQmxGetSampClkTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3795
DAQmxSetSampClkTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxSetSampClkTimebaseMasterTimebaseDiv
DAQmxSetSampClkTimebaseMasterTimebaseDiv.restype = int32
# DAQmxSetSampClkTimebaseMasterTimebaseDiv(taskHandle, data)
DAQmxSetSampClkTimebaseMasterTimebaseDiv.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 3796
DAQmxResetSampClkTimebaseMasterTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxResetSampClkTimebaseMasterTimebaseDiv
DAQmxResetSampClkTimebaseMasterTimebaseDiv.restype = int32
# DAQmxResetSampClkTimebaseMasterTimebaseDiv(taskHandle)
DAQmxResetSampClkTimebaseMasterTimebaseDiv.argtypes = [TaskHandle]
# NIDAQmx.h 3798
DAQmxGetSampClkDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetSampClkDigFltrEnable
DAQmxGetSampClkDigFltrEnable.restype = int32
# DAQmxGetSampClkDigFltrEnable(taskHandle, data)
DAQmxGetSampClkDigFltrEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3799
DAQmxSetSampClkDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetSampClkDigFltrEnable
DAQmxSetSampClkDigFltrEnable.restype = int32
# DAQmxSetSampClkDigFltrEnable(taskHandle, data)
DAQmxSetSampClkDigFltrEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3800
DAQmxResetSampClkDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetSampClkDigFltrEnable
DAQmxResetSampClkDigFltrEnable.restype = int32
# DAQmxResetSampClkDigFltrEnable(taskHandle)
DAQmxResetSampClkDigFltrEnable.argtypes = [TaskHandle]
# NIDAQmx.h 3802
DAQmxGetSampClkDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetSampClkDigFltrMinPulseWidth
DAQmxGetSampClkDigFltrMinPulseWidth.restype = int32
# DAQmxGetSampClkDigFltrMinPulseWidth(taskHandle, data)
DAQmxGetSampClkDigFltrMinPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3803
DAQmxSetSampClkDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetSampClkDigFltrMinPulseWidth
DAQmxSetSampClkDigFltrMinPulseWidth.restype = int32
# DAQmxSetSampClkDigFltrMinPulseWidth(taskHandle, data)
DAQmxSetSampClkDigFltrMinPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3804
DAQmxResetSampClkDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetSampClkDigFltrMinPulseWidth
DAQmxResetSampClkDigFltrMinPulseWidth.restype = int32
# DAQmxResetSampClkDigFltrMinPulseWidth(taskHandle)
DAQmxResetSampClkDigFltrMinPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 3806
DAQmxGetSampClkDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetSampClkDigFltrTimebaseSrc
DAQmxGetSampClkDigFltrTimebaseSrc.restype = int32
# DAQmxGetSampClkDigFltrTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetSampClkDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3807
DAQmxSetSampClkDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetSampClkDigFltrTimebaseSrc
DAQmxSetSampClkDigFltrTimebaseSrc.restype = int32
# DAQmxSetSampClkDigFltrTimebaseSrc(taskHandle, data)
DAQmxSetSampClkDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3808
DAQmxResetSampClkDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetSampClkDigFltrTimebaseSrc
DAQmxResetSampClkDigFltrTimebaseSrc.restype = int32
# DAQmxResetSampClkDigFltrTimebaseSrc(taskHandle)
DAQmxResetSampClkDigFltrTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3810
DAQmxGetSampClkDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetSampClkDigFltrTimebaseRate
DAQmxGetSampClkDigFltrTimebaseRate.restype = int32
# DAQmxGetSampClkDigFltrTimebaseRate(taskHandle, data)
DAQmxGetSampClkDigFltrTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3811
DAQmxSetSampClkDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetSampClkDigFltrTimebaseRate
DAQmxSetSampClkDigFltrTimebaseRate.restype = int32
# DAQmxSetSampClkDigFltrTimebaseRate(taskHandle, data)
DAQmxSetSampClkDigFltrTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3812
DAQmxResetSampClkDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetSampClkDigFltrTimebaseRate
DAQmxResetSampClkDigFltrTimebaseRate.restype = int32
# DAQmxResetSampClkDigFltrTimebaseRate(taskHandle)
DAQmxResetSampClkDigFltrTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 3814
DAQmxGetSampClkDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetSampClkDigSyncEnable
DAQmxGetSampClkDigSyncEnable.restype = int32
# DAQmxGetSampClkDigSyncEnable(taskHandle, data)
DAQmxGetSampClkDigSyncEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3815
DAQmxSetSampClkDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetSampClkDigSyncEnable
DAQmxSetSampClkDigSyncEnable.restype = int32
# DAQmxSetSampClkDigSyncEnable(taskHandle, data)
DAQmxSetSampClkDigSyncEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3816
DAQmxResetSampClkDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetSampClkDigSyncEnable
DAQmxResetSampClkDigSyncEnable.restype = int32
# DAQmxResetSampClkDigSyncEnable(taskHandle)
DAQmxResetSampClkDigSyncEnable.argtypes = [TaskHandle]
# NIDAQmx.h 3818
DAQmxGetHshkDelayAfterXfer = _stdcall_libraries['nicaiu'].DAQmxGetHshkDelayAfterXfer
DAQmxGetHshkDelayAfterXfer.restype = int32
# DAQmxGetHshkDelayAfterXfer(taskHandle, data)
DAQmxGetHshkDelayAfterXfer.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3819
DAQmxSetHshkDelayAfterXfer = _stdcall_libraries['nicaiu'].DAQmxSetHshkDelayAfterXfer
DAQmxSetHshkDelayAfterXfer.restype = int32
# DAQmxSetHshkDelayAfterXfer(taskHandle, data)
DAQmxSetHshkDelayAfterXfer.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3820
DAQmxResetHshkDelayAfterXfer = _stdcall_libraries['nicaiu'].DAQmxResetHshkDelayAfterXfer
DAQmxResetHshkDelayAfterXfer.restype = int32
# DAQmxResetHshkDelayAfterXfer(taskHandle)
DAQmxResetHshkDelayAfterXfer.argtypes = [TaskHandle]
# NIDAQmx.h 3823
DAQmxGetHshkStartCond = _stdcall_libraries['nicaiu'].DAQmxGetHshkStartCond
DAQmxGetHshkStartCond.restype = int32
# DAQmxGetHshkStartCond(taskHandle, data)
DAQmxGetHshkStartCond.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3824
DAQmxSetHshkStartCond = _stdcall_libraries['nicaiu'].DAQmxSetHshkStartCond
DAQmxSetHshkStartCond.restype = int32
# DAQmxSetHshkStartCond(taskHandle, data)
DAQmxSetHshkStartCond.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3825
DAQmxResetHshkStartCond = _stdcall_libraries['nicaiu'].DAQmxResetHshkStartCond
DAQmxResetHshkStartCond.restype = int32
# DAQmxResetHshkStartCond(taskHandle)
DAQmxResetHshkStartCond.argtypes = [TaskHandle]
# NIDAQmx.h 3828
DAQmxGetHshkSampleInputDataWhen = _stdcall_libraries['nicaiu'].DAQmxGetHshkSampleInputDataWhen
DAQmxGetHshkSampleInputDataWhen.restype = int32
# DAQmxGetHshkSampleInputDataWhen(taskHandle, data)
DAQmxGetHshkSampleInputDataWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3829
DAQmxSetHshkSampleInputDataWhen = _stdcall_libraries['nicaiu'].DAQmxSetHshkSampleInputDataWhen
DAQmxSetHshkSampleInputDataWhen.restype = int32
# DAQmxSetHshkSampleInputDataWhen(taskHandle, data)
DAQmxSetHshkSampleInputDataWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3830
DAQmxResetHshkSampleInputDataWhen = _stdcall_libraries['nicaiu'].DAQmxResetHshkSampleInputDataWhen
DAQmxResetHshkSampleInputDataWhen.restype = int32
# DAQmxResetHshkSampleInputDataWhen(taskHandle)
DAQmxResetHshkSampleInputDataWhen.argtypes = [TaskHandle]
# NIDAQmx.h 3832
DAQmxGetChangeDetectDIRisingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxGetChangeDetectDIRisingEdgePhysicalChans
DAQmxGetChangeDetectDIRisingEdgePhysicalChans.restype = int32
# DAQmxGetChangeDetectDIRisingEdgePhysicalChans(taskHandle, data, bufferSize)
DAQmxGetChangeDetectDIRisingEdgePhysicalChans.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3833
DAQmxSetChangeDetectDIRisingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxSetChangeDetectDIRisingEdgePhysicalChans
DAQmxSetChangeDetectDIRisingEdgePhysicalChans.restype = int32
# DAQmxSetChangeDetectDIRisingEdgePhysicalChans(taskHandle, data)
DAQmxSetChangeDetectDIRisingEdgePhysicalChans.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3834
DAQmxResetChangeDetectDIRisingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxResetChangeDetectDIRisingEdgePhysicalChans
DAQmxResetChangeDetectDIRisingEdgePhysicalChans.restype = int32
# DAQmxResetChangeDetectDIRisingEdgePhysicalChans(taskHandle)
DAQmxResetChangeDetectDIRisingEdgePhysicalChans.argtypes = [TaskHandle]
# NIDAQmx.h 3836
DAQmxGetChangeDetectDIFallingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxGetChangeDetectDIFallingEdgePhysicalChans
DAQmxGetChangeDetectDIFallingEdgePhysicalChans.restype = int32
# DAQmxGetChangeDetectDIFallingEdgePhysicalChans(taskHandle, data, bufferSize)
DAQmxGetChangeDetectDIFallingEdgePhysicalChans.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3837
DAQmxSetChangeDetectDIFallingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxSetChangeDetectDIFallingEdgePhysicalChans
DAQmxSetChangeDetectDIFallingEdgePhysicalChans.restype = int32
# DAQmxSetChangeDetectDIFallingEdgePhysicalChans(taskHandle, data)
DAQmxSetChangeDetectDIFallingEdgePhysicalChans.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3838
DAQmxResetChangeDetectDIFallingEdgePhysicalChans = _stdcall_libraries['nicaiu'].DAQmxResetChangeDetectDIFallingEdgePhysicalChans
DAQmxResetChangeDetectDIFallingEdgePhysicalChans.restype = int32
# DAQmxResetChangeDetectDIFallingEdgePhysicalChans(taskHandle)
DAQmxResetChangeDetectDIFallingEdgePhysicalChans.argtypes = [TaskHandle]
# NIDAQmx.h 3840
DAQmxGetOnDemandSimultaneousAOEnable = _stdcall_libraries['nicaiu'].DAQmxGetOnDemandSimultaneousAOEnable
DAQmxGetOnDemandSimultaneousAOEnable.restype = int32
# DAQmxGetOnDemandSimultaneousAOEnable(taskHandle, data)
DAQmxGetOnDemandSimultaneousAOEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3841
DAQmxSetOnDemandSimultaneousAOEnable = _stdcall_libraries['nicaiu'].DAQmxSetOnDemandSimultaneousAOEnable
DAQmxSetOnDemandSimultaneousAOEnable.restype = int32
# DAQmxSetOnDemandSimultaneousAOEnable(taskHandle, data)
DAQmxSetOnDemandSimultaneousAOEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3842
DAQmxResetOnDemandSimultaneousAOEnable = _stdcall_libraries['nicaiu'].DAQmxResetOnDemandSimultaneousAOEnable
DAQmxResetOnDemandSimultaneousAOEnable.restype = int32
# DAQmxResetOnDemandSimultaneousAOEnable(taskHandle)
DAQmxResetOnDemandSimultaneousAOEnable.argtypes = [TaskHandle]
# NIDAQmx.h 3844
DAQmxGetAIConvRate = _stdcall_libraries['nicaiu'].DAQmxGetAIConvRate
DAQmxGetAIConvRate.restype = int32
# DAQmxGetAIConvRate(taskHandle, data)
DAQmxGetAIConvRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3845
DAQmxSetAIConvRate = _stdcall_libraries['nicaiu'].DAQmxSetAIConvRate
DAQmxSetAIConvRate.restype = int32
# DAQmxSetAIConvRate(taskHandle, data)
DAQmxSetAIConvRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3846
DAQmxResetAIConvRate = _stdcall_libraries['nicaiu'].DAQmxResetAIConvRate
DAQmxResetAIConvRate.restype = int32
# DAQmxResetAIConvRate(taskHandle)
DAQmxResetAIConvRate.argtypes = [TaskHandle]
# NIDAQmx.h 3848
DAQmxGetAIConvMaxRate = _stdcall_libraries['nicaiu'].DAQmxGetAIConvMaxRate
DAQmxGetAIConvMaxRate.restype = int32
# DAQmxGetAIConvMaxRate(taskHandle, data)
DAQmxGetAIConvMaxRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3850
DAQmxGetAIConvSrc = _stdcall_libraries['nicaiu'].DAQmxGetAIConvSrc
DAQmxGetAIConvSrc.restype = int32
# DAQmxGetAIConvSrc(taskHandle, data, bufferSize)
DAQmxGetAIConvSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3851
DAQmxSetAIConvSrc = _stdcall_libraries['nicaiu'].DAQmxSetAIConvSrc
DAQmxSetAIConvSrc.restype = int32
# DAQmxSetAIConvSrc(taskHandle, data)
DAQmxSetAIConvSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3852
DAQmxResetAIConvSrc = _stdcall_libraries['nicaiu'].DAQmxResetAIConvSrc
DAQmxResetAIConvSrc.restype = int32
# DAQmxResetAIConvSrc(taskHandle)
DAQmxResetAIConvSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3855
DAQmxGetAIConvActiveEdge = _stdcall_libraries['nicaiu'].DAQmxGetAIConvActiveEdge
DAQmxGetAIConvActiveEdge.restype = int32
# DAQmxGetAIConvActiveEdge(taskHandle, data)
DAQmxGetAIConvActiveEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3856
DAQmxSetAIConvActiveEdge = _stdcall_libraries['nicaiu'].DAQmxSetAIConvActiveEdge
DAQmxSetAIConvActiveEdge.restype = int32
# DAQmxSetAIConvActiveEdge(taskHandle, data)
DAQmxSetAIConvActiveEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3857
DAQmxResetAIConvActiveEdge = _stdcall_libraries['nicaiu'].DAQmxResetAIConvActiveEdge
DAQmxResetAIConvActiveEdge.restype = int32
# DAQmxResetAIConvActiveEdge(taskHandle)
DAQmxResetAIConvActiveEdge.argtypes = [TaskHandle]
# NIDAQmx.h 3859
DAQmxGetAIConvTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxGetAIConvTimebaseDiv
DAQmxGetAIConvTimebaseDiv.restype = int32
# DAQmxGetAIConvTimebaseDiv(taskHandle, data)
DAQmxGetAIConvTimebaseDiv.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 3860
DAQmxSetAIConvTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxSetAIConvTimebaseDiv
DAQmxSetAIConvTimebaseDiv.restype = int32
# DAQmxSetAIConvTimebaseDiv(taskHandle, data)
DAQmxSetAIConvTimebaseDiv.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 3861
DAQmxResetAIConvTimebaseDiv = _stdcall_libraries['nicaiu'].DAQmxResetAIConvTimebaseDiv
DAQmxResetAIConvTimebaseDiv.restype = int32
# DAQmxResetAIConvTimebaseDiv(taskHandle)
DAQmxResetAIConvTimebaseDiv.argtypes = [TaskHandle]
# NIDAQmx.h 3864
DAQmxGetAIConvTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetAIConvTimebaseSrc
DAQmxGetAIConvTimebaseSrc.restype = int32
# DAQmxGetAIConvTimebaseSrc(taskHandle, data)
DAQmxGetAIConvTimebaseSrc.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3865
DAQmxSetAIConvTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetAIConvTimebaseSrc
DAQmxSetAIConvTimebaseSrc.restype = int32
# DAQmxSetAIConvTimebaseSrc(taskHandle, data)
DAQmxSetAIConvTimebaseSrc.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3866
DAQmxResetAIConvTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetAIConvTimebaseSrc
DAQmxResetAIConvTimebaseSrc.restype = int32
# DAQmxResetAIConvTimebaseSrc(taskHandle)
DAQmxResetAIConvTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3868
DAQmxGetMasterTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetMasterTimebaseRate
DAQmxGetMasterTimebaseRate.restype = int32
# DAQmxGetMasterTimebaseRate(taskHandle, data)
DAQmxGetMasterTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3869
DAQmxSetMasterTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetMasterTimebaseRate
DAQmxSetMasterTimebaseRate.restype = int32
# DAQmxSetMasterTimebaseRate(taskHandle, data)
DAQmxSetMasterTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3870
DAQmxResetMasterTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetMasterTimebaseRate
DAQmxResetMasterTimebaseRate.restype = int32
# DAQmxResetMasterTimebaseRate(taskHandle)
DAQmxResetMasterTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 3872
DAQmxGetMasterTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetMasterTimebaseSrc
DAQmxGetMasterTimebaseSrc.restype = int32
# DAQmxGetMasterTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetMasterTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3873
DAQmxSetMasterTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetMasterTimebaseSrc
DAQmxSetMasterTimebaseSrc.restype = int32
# DAQmxSetMasterTimebaseSrc(taskHandle, data)
DAQmxSetMasterTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3874
DAQmxResetMasterTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetMasterTimebaseSrc
DAQmxResetMasterTimebaseSrc.restype = int32
# DAQmxResetMasterTimebaseSrc(taskHandle)
DAQmxResetMasterTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3876
DAQmxGetRefClkRate = _stdcall_libraries['nicaiu'].DAQmxGetRefClkRate
DAQmxGetRefClkRate.restype = int32
# DAQmxGetRefClkRate(taskHandle, data)
DAQmxGetRefClkRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3877
DAQmxSetRefClkRate = _stdcall_libraries['nicaiu'].DAQmxSetRefClkRate
DAQmxSetRefClkRate.restype = int32
# DAQmxSetRefClkRate(taskHandle, data)
DAQmxSetRefClkRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3878
DAQmxResetRefClkRate = _stdcall_libraries['nicaiu'].DAQmxResetRefClkRate
DAQmxResetRefClkRate.restype = int32
# DAQmxResetRefClkRate(taskHandle)
DAQmxResetRefClkRate.argtypes = [TaskHandle]
# NIDAQmx.h 3880
DAQmxGetRefClkSrc = _stdcall_libraries['nicaiu'].DAQmxGetRefClkSrc
DAQmxGetRefClkSrc.restype = int32
# DAQmxGetRefClkSrc(taskHandle, data, bufferSize)
DAQmxGetRefClkSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3881
DAQmxSetRefClkSrc = _stdcall_libraries['nicaiu'].DAQmxSetRefClkSrc
DAQmxSetRefClkSrc.restype = int32
# DAQmxSetRefClkSrc(taskHandle, data)
DAQmxSetRefClkSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3882
DAQmxResetRefClkSrc = _stdcall_libraries['nicaiu'].DAQmxResetRefClkSrc
DAQmxResetRefClkSrc.restype = int32
# DAQmxResetRefClkSrc(taskHandle)
DAQmxResetRefClkSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3884
DAQmxGetSyncPulseSrc = _stdcall_libraries['nicaiu'].DAQmxGetSyncPulseSrc
DAQmxGetSyncPulseSrc.restype = int32
# DAQmxGetSyncPulseSrc(taskHandle, data, bufferSize)
DAQmxGetSyncPulseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3885
DAQmxSetSyncPulseSrc = _stdcall_libraries['nicaiu'].DAQmxSetSyncPulseSrc
DAQmxSetSyncPulseSrc.restype = int32
# DAQmxSetSyncPulseSrc(taskHandle, data)
DAQmxSetSyncPulseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3886
DAQmxResetSyncPulseSrc = _stdcall_libraries['nicaiu'].DAQmxResetSyncPulseSrc
DAQmxResetSyncPulseSrc.restype = int32
# DAQmxResetSyncPulseSrc(taskHandle)
DAQmxResetSyncPulseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3888
DAQmxGetSyncPulseSyncTime = _stdcall_libraries['nicaiu'].DAQmxGetSyncPulseSyncTime
DAQmxGetSyncPulseSyncTime.restype = int32
# DAQmxGetSyncPulseSyncTime(taskHandle, data)
DAQmxGetSyncPulseSyncTime.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3890
DAQmxGetSyncPulseMinDelayToStart = _stdcall_libraries['nicaiu'].DAQmxGetSyncPulseMinDelayToStart
DAQmxGetSyncPulseMinDelayToStart.restype = int32
# DAQmxGetSyncPulseMinDelayToStart(taskHandle, data)
DAQmxGetSyncPulseMinDelayToStart.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3891
DAQmxSetSyncPulseMinDelayToStart = _stdcall_libraries['nicaiu'].DAQmxSetSyncPulseMinDelayToStart
DAQmxSetSyncPulseMinDelayToStart.restype = int32
# DAQmxSetSyncPulseMinDelayToStart(taskHandle, data)
DAQmxSetSyncPulseMinDelayToStart.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3892
DAQmxResetSyncPulseMinDelayToStart = _stdcall_libraries['nicaiu'].DAQmxResetSyncPulseMinDelayToStart
DAQmxResetSyncPulseMinDelayToStart.restype = int32
# DAQmxResetSyncPulseMinDelayToStart(taskHandle)
DAQmxResetSyncPulseMinDelayToStart.argtypes = [TaskHandle]
# NIDAQmx.h 3895
DAQmxGetDelayFromSampClkDelayUnits = _stdcall_libraries['nicaiu'].DAQmxGetDelayFromSampClkDelayUnits
DAQmxGetDelayFromSampClkDelayUnits.restype = int32
# DAQmxGetDelayFromSampClkDelayUnits(taskHandle, data)
DAQmxGetDelayFromSampClkDelayUnits.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3896
DAQmxSetDelayFromSampClkDelayUnits = _stdcall_libraries['nicaiu'].DAQmxSetDelayFromSampClkDelayUnits
DAQmxSetDelayFromSampClkDelayUnits.restype = int32
# DAQmxSetDelayFromSampClkDelayUnits(taskHandle, data)
DAQmxSetDelayFromSampClkDelayUnits.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3897
DAQmxResetDelayFromSampClkDelayUnits = _stdcall_libraries['nicaiu'].DAQmxResetDelayFromSampClkDelayUnits
DAQmxResetDelayFromSampClkDelayUnits.restype = int32
# DAQmxResetDelayFromSampClkDelayUnits(taskHandle)
DAQmxResetDelayFromSampClkDelayUnits.argtypes = [TaskHandle]
# NIDAQmx.h 3899
DAQmxGetDelayFromSampClkDelay = _stdcall_libraries['nicaiu'].DAQmxGetDelayFromSampClkDelay
DAQmxGetDelayFromSampClkDelay.restype = int32
# DAQmxGetDelayFromSampClkDelay(taskHandle, data)
DAQmxGetDelayFromSampClkDelay.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3900
DAQmxSetDelayFromSampClkDelay = _stdcall_libraries['nicaiu'].DAQmxSetDelayFromSampClkDelay
DAQmxSetDelayFromSampClkDelay.restype = int32
# DAQmxSetDelayFromSampClkDelay(taskHandle, data)
DAQmxSetDelayFromSampClkDelay.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3901
DAQmxResetDelayFromSampClkDelay = _stdcall_libraries['nicaiu'].DAQmxResetDelayFromSampClkDelay
DAQmxResetDelayFromSampClkDelay.restype = int32
# DAQmxResetDelayFromSampClkDelay(taskHandle)
DAQmxResetDelayFromSampClkDelay.argtypes = [TaskHandle]
# NIDAQmx.h 3906
DAQmxGetStartTrigType = _stdcall_libraries['nicaiu'].DAQmxGetStartTrigType
DAQmxGetStartTrigType.restype = int32
# DAQmxGetStartTrigType(taskHandle, data)
DAQmxGetStartTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3907
DAQmxSetStartTrigType = _stdcall_libraries['nicaiu'].DAQmxSetStartTrigType
DAQmxSetStartTrigType.restype = int32
# DAQmxSetStartTrigType(taskHandle, data)
DAQmxSetStartTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3908
DAQmxResetStartTrigType = _stdcall_libraries['nicaiu'].DAQmxResetStartTrigType
DAQmxResetStartTrigType.restype = int32
# DAQmxResetStartTrigType(taskHandle)
DAQmxResetStartTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 3910
DAQmxGetDigEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigSrc
DAQmxGetDigEdgeStartTrigSrc.restype = int32
# DAQmxGetDigEdgeStartTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeStartTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3911
DAQmxSetDigEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigSrc
DAQmxSetDigEdgeStartTrigSrc.restype = int32
# DAQmxSetDigEdgeStartTrigSrc(taskHandle, data)
DAQmxSetDigEdgeStartTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3912
DAQmxResetDigEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigSrc
DAQmxResetDigEdgeStartTrigSrc.restype = int32
# DAQmxResetDigEdgeStartTrigSrc(taskHandle)
DAQmxResetDigEdgeStartTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3915
DAQmxGetDigEdgeStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigEdge
DAQmxGetDigEdgeStartTrigEdge.restype = int32
# DAQmxGetDigEdgeStartTrigEdge(taskHandle, data)
DAQmxGetDigEdgeStartTrigEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3916
DAQmxSetDigEdgeStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigEdge
DAQmxSetDigEdgeStartTrigEdge.restype = int32
# DAQmxSetDigEdgeStartTrigEdge(taskHandle, data)
DAQmxSetDigEdgeStartTrigEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3917
DAQmxResetDigEdgeStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigEdge
DAQmxResetDigEdgeStartTrigEdge.restype = int32
# DAQmxResetDigEdgeStartTrigEdge(taskHandle)
DAQmxResetDigEdgeStartTrigEdge.argtypes = [TaskHandle]
# NIDAQmx.h 3919
DAQmxGetDigEdgeStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigDigFltrEnable
DAQmxGetDigEdgeStartTrigDigFltrEnable.restype = int32
# DAQmxGetDigEdgeStartTrigDigFltrEnable(taskHandle, data)
DAQmxGetDigEdgeStartTrigDigFltrEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3920
DAQmxSetDigEdgeStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigDigFltrEnable
DAQmxSetDigEdgeStartTrigDigFltrEnable.restype = int32
# DAQmxSetDigEdgeStartTrigDigFltrEnable(taskHandle, data)
DAQmxSetDigEdgeStartTrigDigFltrEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3921
DAQmxResetDigEdgeStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigDigFltrEnable
DAQmxResetDigEdgeStartTrigDigFltrEnable.restype = int32
# DAQmxResetDigEdgeStartTrigDigFltrEnable(taskHandle)
DAQmxResetDigEdgeStartTrigDigFltrEnable.argtypes = [TaskHandle]
# NIDAQmx.h 3923
DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth
DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3924
DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth
DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3925
DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth
DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth(taskHandle)
DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 3927
DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc
DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3928
DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc
DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc(taskHandle, data)
DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3929
DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc
DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc(taskHandle)
DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3931
DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate
DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3932
DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate
DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3933
DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate
DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate(taskHandle)
DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 3935
DAQmxGetDigEdgeStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeStartTrigDigSyncEnable
DAQmxGetDigEdgeStartTrigDigSyncEnable.restype = int32
# DAQmxGetDigEdgeStartTrigDigSyncEnable(taskHandle, data)
DAQmxGetDigEdgeStartTrigDigSyncEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 3936
DAQmxSetDigEdgeStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeStartTrigDigSyncEnable
DAQmxSetDigEdgeStartTrigDigSyncEnable.restype = int32
# DAQmxSetDigEdgeStartTrigDigSyncEnable(taskHandle, data)
DAQmxSetDigEdgeStartTrigDigSyncEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 3937
DAQmxResetDigEdgeStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeStartTrigDigSyncEnable
DAQmxResetDigEdgeStartTrigDigSyncEnable.restype = int32
# DAQmxResetDigEdgeStartTrigDigSyncEnable(taskHandle)
DAQmxResetDigEdgeStartTrigDigSyncEnable.argtypes = [TaskHandle]
# NIDAQmx.h 3939
DAQmxGetDigPatternStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternStartTrigSrc
DAQmxGetDigPatternStartTrigSrc.restype = int32
# DAQmxGetDigPatternStartTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigPatternStartTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3940
DAQmxSetDigPatternStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternStartTrigSrc
DAQmxSetDigPatternStartTrigSrc.restype = int32
# DAQmxSetDigPatternStartTrigSrc(taskHandle, data)
DAQmxSetDigPatternStartTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3941
DAQmxResetDigPatternStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternStartTrigSrc
DAQmxResetDigPatternStartTrigSrc.restype = int32
# DAQmxResetDigPatternStartTrigSrc(taskHandle)
DAQmxResetDigPatternStartTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3943
DAQmxGetDigPatternStartTrigPattern = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternStartTrigPattern
DAQmxGetDigPatternStartTrigPattern.restype = int32
# DAQmxGetDigPatternStartTrigPattern(taskHandle, data, bufferSize)
DAQmxGetDigPatternStartTrigPattern.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3944
DAQmxSetDigPatternStartTrigPattern = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternStartTrigPattern
DAQmxSetDigPatternStartTrigPattern.restype = int32
# DAQmxSetDigPatternStartTrigPattern(taskHandle, data)
DAQmxSetDigPatternStartTrigPattern.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3945
DAQmxResetDigPatternStartTrigPattern = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternStartTrigPattern
DAQmxResetDigPatternStartTrigPattern.restype = int32
# DAQmxResetDigPatternStartTrigPattern(taskHandle)
DAQmxResetDigPatternStartTrigPattern.argtypes = [TaskHandle]
# NIDAQmx.h 3948
DAQmxGetDigPatternStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternStartTrigWhen
DAQmxGetDigPatternStartTrigWhen.restype = int32
# DAQmxGetDigPatternStartTrigWhen(taskHandle, data)
DAQmxGetDigPatternStartTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3949
DAQmxSetDigPatternStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternStartTrigWhen
DAQmxSetDigPatternStartTrigWhen.restype = int32
# DAQmxSetDigPatternStartTrigWhen(taskHandle, data)
DAQmxSetDigPatternStartTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3950
DAQmxResetDigPatternStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternStartTrigWhen
DAQmxResetDigPatternStartTrigWhen.restype = int32
# DAQmxResetDigPatternStartTrigWhen(taskHandle)
DAQmxResetDigPatternStartTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 3952
DAQmxGetAnlgEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeStartTrigSrc
DAQmxGetAnlgEdgeStartTrigSrc.restype = int32
# DAQmxGetAnlgEdgeStartTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgEdgeStartTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3953
DAQmxSetAnlgEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeStartTrigSrc
DAQmxSetAnlgEdgeStartTrigSrc.restype = int32
# DAQmxSetAnlgEdgeStartTrigSrc(taskHandle, data)
DAQmxSetAnlgEdgeStartTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3954
DAQmxResetAnlgEdgeStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeStartTrigSrc
DAQmxResetAnlgEdgeStartTrigSrc.restype = int32
# DAQmxResetAnlgEdgeStartTrigSrc(taskHandle)
DAQmxResetAnlgEdgeStartTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3957
DAQmxGetAnlgEdgeStartTrigSlope = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeStartTrigSlope
DAQmxGetAnlgEdgeStartTrigSlope.restype = int32
# DAQmxGetAnlgEdgeStartTrigSlope(taskHandle, data)
DAQmxGetAnlgEdgeStartTrigSlope.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3958
DAQmxSetAnlgEdgeStartTrigSlope = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeStartTrigSlope
DAQmxSetAnlgEdgeStartTrigSlope.restype = int32
# DAQmxSetAnlgEdgeStartTrigSlope(taskHandle, data)
DAQmxSetAnlgEdgeStartTrigSlope.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3959
DAQmxResetAnlgEdgeStartTrigSlope = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeStartTrigSlope
DAQmxResetAnlgEdgeStartTrigSlope.restype = int32
# DAQmxResetAnlgEdgeStartTrigSlope(taskHandle)
DAQmxResetAnlgEdgeStartTrigSlope.argtypes = [TaskHandle]
# NIDAQmx.h 3961
DAQmxGetAnlgEdgeStartTrigLvl = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeStartTrigLvl
DAQmxGetAnlgEdgeStartTrigLvl.restype = int32
# DAQmxGetAnlgEdgeStartTrigLvl(taskHandle, data)
DAQmxGetAnlgEdgeStartTrigLvl.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3962
DAQmxSetAnlgEdgeStartTrigLvl = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeStartTrigLvl
DAQmxSetAnlgEdgeStartTrigLvl.restype = int32
# DAQmxSetAnlgEdgeStartTrigLvl(taskHandle, data)
DAQmxSetAnlgEdgeStartTrigLvl.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3963
DAQmxResetAnlgEdgeStartTrigLvl = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeStartTrigLvl
DAQmxResetAnlgEdgeStartTrigLvl.restype = int32
# DAQmxResetAnlgEdgeStartTrigLvl(taskHandle)
DAQmxResetAnlgEdgeStartTrigLvl.argtypes = [TaskHandle]
# NIDAQmx.h 3965
DAQmxGetAnlgEdgeStartTrigHyst = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeStartTrigHyst
DAQmxGetAnlgEdgeStartTrigHyst.restype = int32
# DAQmxGetAnlgEdgeStartTrigHyst(taskHandle, data)
DAQmxGetAnlgEdgeStartTrigHyst.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3966
DAQmxSetAnlgEdgeStartTrigHyst = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeStartTrigHyst
DAQmxSetAnlgEdgeStartTrigHyst.restype = int32
# DAQmxSetAnlgEdgeStartTrigHyst(taskHandle, data)
DAQmxSetAnlgEdgeStartTrigHyst.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3967
DAQmxResetAnlgEdgeStartTrigHyst = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeStartTrigHyst
DAQmxResetAnlgEdgeStartTrigHyst.restype = int32
# DAQmxResetAnlgEdgeStartTrigHyst(taskHandle)
DAQmxResetAnlgEdgeStartTrigHyst.argtypes = [TaskHandle]
# NIDAQmx.h 3970
DAQmxGetAnlgEdgeStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeStartTrigCoupling
DAQmxGetAnlgEdgeStartTrigCoupling.restype = int32
# DAQmxGetAnlgEdgeStartTrigCoupling(taskHandle, data)
DAQmxGetAnlgEdgeStartTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3971
DAQmxSetAnlgEdgeStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeStartTrigCoupling
DAQmxSetAnlgEdgeStartTrigCoupling.restype = int32
# DAQmxSetAnlgEdgeStartTrigCoupling(taskHandle, data)
DAQmxSetAnlgEdgeStartTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3972
DAQmxResetAnlgEdgeStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeStartTrigCoupling
DAQmxResetAnlgEdgeStartTrigCoupling.restype = int32
# DAQmxResetAnlgEdgeStartTrigCoupling(taskHandle)
DAQmxResetAnlgEdgeStartTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 3974
DAQmxGetAnlgWinStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinStartTrigSrc
DAQmxGetAnlgWinStartTrigSrc.restype = int32
# DAQmxGetAnlgWinStartTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgWinStartTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 3975
DAQmxSetAnlgWinStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinStartTrigSrc
DAQmxSetAnlgWinStartTrigSrc.restype = int32
# DAQmxSetAnlgWinStartTrigSrc(taskHandle, data)
DAQmxSetAnlgWinStartTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 3976
DAQmxResetAnlgWinStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinStartTrigSrc
DAQmxResetAnlgWinStartTrigSrc.restype = int32
# DAQmxResetAnlgWinStartTrigSrc(taskHandle)
DAQmxResetAnlgWinStartTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 3979
DAQmxGetAnlgWinStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinStartTrigWhen
DAQmxGetAnlgWinStartTrigWhen.restype = int32
# DAQmxGetAnlgWinStartTrigWhen(taskHandle, data)
DAQmxGetAnlgWinStartTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3980
DAQmxSetAnlgWinStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinStartTrigWhen
DAQmxSetAnlgWinStartTrigWhen.restype = int32
# DAQmxSetAnlgWinStartTrigWhen(taskHandle, data)
DAQmxSetAnlgWinStartTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3981
DAQmxResetAnlgWinStartTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinStartTrigWhen
DAQmxResetAnlgWinStartTrigWhen.restype = int32
# DAQmxResetAnlgWinStartTrigWhen(taskHandle)
DAQmxResetAnlgWinStartTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 3983
DAQmxGetAnlgWinStartTrigTop = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinStartTrigTop
DAQmxGetAnlgWinStartTrigTop.restype = int32
# DAQmxGetAnlgWinStartTrigTop(taskHandle, data)
DAQmxGetAnlgWinStartTrigTop.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3984
DAQmxSetAnlgWinStartTrigTop = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinStartTrigTop
DAQmxSetAnlgWinStartTrigTop.restype = int32
# DAQmxSetAnlgWinStartTrigTop(taskHandle, data)
DAQmxSetAnlgWinStartTrigTop.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3985
DAQmxResetAnlgWinStartTrigTop = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinStartTrigTop
DAQmxResetAnlgWinStartTrigTop.restype = int32
# DAQmxResetAnlgWinStartTrigTop(taskHandle)
DAQmxResetAnlgWinStartTrigTop.argtypes = [TaskHandle]
# NIDAQmx.h 3987
DAQmxGetAnlgWinStartTrigBtm = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinStartTrigBtm
DAQmxGetAnlgWinStartTrigBtm.restype = int32
# DAQmxGetAnlgWinStartTrigBtm(taskHandle, data)
DAQmxGetAnlgWinStartTrigBtm.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3988
DAQmxSetAnlgWinStartTrigBtm = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinStartTrigBtm
DAQmxSetAnlgWinStartTrigBtm.restype = int32
# DAQmxSetAnlgWinStartTrigBtm(taskHandle, data)
DAQmxSetAnlgWinStartTrigBtm.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3989
DAQmxResetAnlgWinStartTrigBtm = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinStartTrigBtm
DAQmxResetAnlgWinStartTrigBtm.restype = int32
# DAQmxResetAnlgWinStartTrigBtm(taskHandle)
DAQmxResetAnlgWinStartTrigBtm.argtypes = [TaskHandle]
# NIDAQmx.h 3992
DAQmxGetAnlgWinStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinStartTrigCoupling
DAQmxGetAnlgWinStartTrigCoupling.restype = int32
# DAQmxGetAnlgWinStartTrigCoupling(taskHandle, data)
DAQmxGetAnlgWinStartTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 3993
DAQmxSetAnlgWinStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinStartTrigCoupling
DAQmxSetAnlgWinStartTrigCoupling.restype = int32
# DAQmxSetAnlgWinStartTrigCoupling(taskHandle, data)
DAQmxSetAnlgWinStartTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 3994
DAQmxResetAnlgWinStartTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinStartTrigCoupling
DAQmxResetAnlgWinStartTrigCoupling.restype = int32
# DAQmxResetAnlgWinStartTrigCoupling(taskHandle)
DAQmxResetAnlgWinStartTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 3996
DAQmxGetStartTrigDelay = _stdcall_libraries['nicaiu'].DAQmxGetStartTrigDelay
DAQmxGetStartTrigDelay.restype = int32
# DAQmxGetStartTrigDelay(taskHandle, data)
DAQmxGetStartTrigDelay.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 3997
DAQmxSetStartTrigDelay = _stdcall_libraries['nicaiu'].DAQmxSetStartTrigDelay
DAQmxSetStartTrigDelay.restype = int32
# DAQmxSetStartTrigDelay(taskHandle, data)
DAQmxSetStartTrigDelay.argtypes = [TaskHandle, float64]
# NIDAQmx.h 3998
DAQmxResetStartTrigDelay = _stdcall_libraries['nicaiu'].DAQmxResetStartTrigDelay
DAQmxResetStartTrigDelay.restype = int32
# DAQmxResetStartTrigDelay(taskHandle)
DAQmxResetStartTrigDelay.argtypes = [TaskHandle]
# NIDAQmx.h 4001
DAQmxGetStartTrigDelayUnits = _stdcall_libraries['nicaiu'].DAQmxGetStartTrigDelayUnits
DAQmxGetStartTrigDelayUnits.restype = int32
# DAQmxGetStartTrigDelayUnits(taskHandle, data)
DAQmxGetStartTrigDelayUnits.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4002
DAQmxSetStartTrigDelayUnits = _stdcall_libraries['nicaiu'].DAQmxSetStartTrigDelayUnits
DAQmxSetStartTrigDelayUnits.restype = int32
# DAQmxSetStartTrigDelayUnits(taskHandle, data)
DAQmxSetStartTrigDelayUnits.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4003
DAQmxResetStartTrigDelayUnits = _stdcall_libraries['nicaiu'].DAQmxResetStartTrigDelayUnits
DAQmxResetStartTrigDelayUnits.restype = int32
# DAQmxResetStartTrigDelayUnits(taskHandle)
DAQmxResetStartTrigDelayUnits.argtypes = [TaskHandle]
# NIDAQmx.h 4005
DAQmxGetStartTrigRetriggerable = _stdcall_libraries['nicaiu'].DAQmxGetStartTrigRetriggerable
DAQmxGetStartTrigRetriggerable.restype = int32
# DAQmxGetStartTrigRetriggerable(taskHandle, data)
DAQmxGetStartTrigRetriggerable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4006
DAQmxSetStartTrigRetriggerable = _stdcall_libraries['nicaiu'].DAQmxSetStartTrigRetriggerable
DAQmxSetStartTrigRetriggerable.restype = int32
# DAQmxSetStartTrigRetriggerable(taskHandle, data)
DAQmxSetStartTrigRetriggerable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4007
DAQmxResetStartTrigRetriggerable = _stdcall_libraries['nicaiu'].DAQmxResetStartTrigRetriggerable
DAQmxResetStartTrigRetriggerable.restype = int32
# DAQmxResetStartTrigRetriggerable(taskHandle)
DAQmxResetStartTrigRetriggerable.argtypes = [TaskHandle]
# NIDAQmx.h 4010
DAQmxGetRefTrigType = _stdcall_libraries['nicaiu'].DAQmxGetRefTrigType
DAQmxGetRefTrigType.restype = int32
# DAQmxGetRefTrigType(taskHandle, data)
DAQmxGetRefTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4011
DAQmxSetRefTrigType = _stdcall_libraries['nicaiu'].DAQmxSetRefTrigType
DAQmxSetRefTrigType.restype = int32
# DAQmxSetRefTrigType(taskHandle, data)
DAQmxSetRefTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4012
DAQmxResetRefTrigType = _stdcall_libraries['nicaiu'].DAQmxResetRefTrigType
DAQmxResetRefTrigType.restype = int32
# DAQmxResetRefTrigType(taskHandle)
DAQmxResetRefTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4014
DAQmxGetRefTrigPretrigSamples = _stdcall_libraries['nicaiu'].DAQmxGetRefTrigPretrigSamples
DAQmxGetRefTrigPretrigSamples.restype = int32
# DAQmxGetRefTrigPretrigSamples(taskHandle, data)
DAQmxGetRefTrigPretrigSamples.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 4015
DAQmxSetRefTrigPretrigSamples = _stdcall_libraries['nicaiu'].DAQmxSetRefTrigPretrigSamples
DAQmxSetRefTrigPretrigSamples.restype = int32
# DAQmxSetRefTrigPretrigSamples(taskHandle, data)
DAQmxSetRefTrigPretrigSamples.argtypes = [TaskHandle, uInt32]
# NIDAQmx.h 4016
DAQmxResetRefTrigPretrigSamples = _stdcall_libraries['nicaiu'].DAQmxResetRefTrigPretrigSamples
DAQmxResetRefTrigPretrigSamples.restype = int32
# DAQmxResetRefTrigPretrigSamples(taskHandle)
DAQmxResetRefTrigPretrigSamples.argtypes = [TaskHandle]
# NIDAQmx.h 4018
DAQmxGetDigEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeRefTrigSrc
DAQmxGetDigEdgeRefTrigSrc.restype = int32
# DAQmxGetDigEdgeRefTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeRefTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4019
DAQmxSetDigEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeRefTrigSrc
DAQmxSetDigEdgeRefTrigSrc.restype = int32
# DAQmxSetDigEdgeRefTrigSrc(taskHandle, data)
DAQmxSetDigEdgeRefTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4020
DAQmxResetDigEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeRefTrigSrc
DAQmxResetDigEdgeRefTrigSrc.restype = int32
# DAQmxResetDigEdgeRefTrigSrc(taskHandle)
DAQmxResetDigEdgeRefTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4023
DAQmxGetDigEdgeRefTrigEdge = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeRefTrigEdge
DAQmxGetDigEdgeRefTrigEdge.restype = int32
# DAQmxGetDigEdgeRefTrigEdge(taskHandle, data)
DAQmxGetDigEdgeRefTrigEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4024
DAQmxSetDigEdgeRefTrigEdge = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeRefTrigEdge
DAQmxSetDigEdgeRefTrigEdge.restype = int32
# DAQmxSetDigEdgeRefTrigEdge(taskHandle, data)
DAQmxSetDigEdgeRefTrigEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4025
DAQmxResetDigEdgeRefTrigEdge = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeRefTrigEdge
DAQmxResetDigEdgeRefTrigEdge.restype = int32
# DAQmxResetDigEdgeRefTrigEdge(taskHandle)
DAQmxResetDigEdgeRefTrigEdge.argtypes = [TaskHandle]
# NIDAQmx.h 4027
DAQmxGetDigPatternRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternRefTrigSrc
DAQmxGetDigPatternRefTrigSrc.restype = int32
# DAQmxGetDigPatternRefTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigPatternRefTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4028
DAQmxSetDigPatternRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternRefTrigSrc
DAQmxSetDigPatternRefTrigSrc.restype = int32
# DAQmxSetDigPatternRefTrigSrc(taskHandle, data)
DAQmxSetDigPatternRefTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4029
DAQmxResetDigPatternRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternRefTrigSrc
DAQmxResetDigPatternRefTrigSrc.restype = int32
# DAQmxResetDigPatternRefTrigSrc(taskHandle)
DAQmxResetDigPatternRefTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4031
DAQmxGetDigPatternRefTrigPattern = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternRefTrigPattern
DAQmxGetDigPatternRefTrigPattern.restype = int32
# DAQmxGetDigPatternRefTrigPattern(taskHandle, data, bufferSize)
DAQmxGetDigPatternRefTrigPattern.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4032
DAQmxSetDigPatternRefTrigPattern = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternRefTrigPattern
DAQmxSetDigPatternRefTrigPattern.restype = int32
# DAQmxSetDigPatternRefTrigPattern(taskHandle, data)
DAQmxSetDigPatternRefTrigPattern.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4033
DAQmxResetDigPatternRefTrigPattern = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternRefTrigPattern
DAQmxResetDigPatternRefTrigPattern.restype = int32
# DAQmxResetDigPatternRefTrigPattern(taskHandle)
DAQmxResetDigPatternRefTrigPattern.argtypes = [TaskHandle]
# NIDAQmx.h 4036
DAQmxGetDigPatternRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetDigPatternRefTrigWhen
DAQmxGetDigPatternRefTrigWhen.restype = int32
# DAQmxGetDigPatternRefTrigWhen(taskHandle, data)
DAQmxGetDigPatternRefTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4037
DAQmxSetDigPatternRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetDigPatternRefTrigWhen
DAQmxSetDigPatternRefTrigWhen.restype = int32
# DAQmxSetDigPatternRefTrigWhen(taskHandle, data)
DAQmxSetDigPatternRefTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4038
DAQmxResetDigPatternRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetDigPatternRefTrigWhen
DAQmxResetDigPatternRefTrigWhen.restype = int32
# DAQmxResetDigPatternRefTrigWhen(taskHandle)
DAQmxResetDigPatternRefTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 4040
DAQmxGetAnlgEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeRefTrigSrc
DAQmxGetAnlgEdgeRefTrigSrc.restype = int32
# DAQmxGetAnlgEdgeRefTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgEdgeRefTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4041
DAQmxSetAnlgEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeRefTrigSrc
DAQmxSetAnlgEdgeRefTrigSrc.restype = int32
# DAQmxSetAnlgEdgeRefTrigSrc(taskHandle, data)
DAQmxSetAnlgEdgeRefTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4042
DAQmxResetAnlgEdgeRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeRefTrigSrc
DAQmxResetAnlgEdgeRefTrigSrc.restype = int32
# DAQmxResetAnlgEdgeRefTrigSrc(taskHandle)
DAQmxResetAnlgEdgeRefTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4045
DAQmxGetAnlgEdgeRefTrigSlope = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeRefTrigSlope
DAQmxGetAnlgEdgeRefTrigSlope.restype = int32
# DAQmxGetAnlgEdgeRefTrigSlope(taskHandle, data)
DAQmxGetAnlgEdgeRefTrigSlope.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4046
DAQmxSetAnlgEdgeRefTrigSlope = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeRefTrigSlope
DAQmxSetAnlgEdgeRefTrigSlope.restype = int32
# DAQmxSetAnlgEdgeRefTrigSlope(taskHandle, data)
DAQmxSetAnlgEdgeRefTrigSlope.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4047
DAQmxResetAnlgEdgeRefTrigSlope = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeRefTrigSlope
DAQmxResetAnlgEdgeRefTrigSlope.restype = int32
# DAQmxResetAnlgEdgeRefTrigSlope(taskHandle)
DAQmxResetAnlgEdgeRefTrigSlope.argtypes = [TaskHandle]
# NIDAQmx.h 4049
DAQmxGetAnlgEdgeRefTrigLvl = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeRefTrigLvl
DAQmxGetAnlgEdgeRefTrigLvl.restype = int32
# DAQmxGetAnlgEdgeRefTrigLvl(taskHandle, data)
DAQmxGetAnlgEdgeRefTrigLvl.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4050
DAQmxSetAnlgEdgeRefTrigLvl = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeRefTrigLvl
DAQmxSetAnlgEdgeRefTrigLvl.restype = int32
# DAQmxSetAnlgEdgeRefTrigLvl(taskHandle, data)
DAQmxSetAnlgEdgeRefTrigLvl.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4051
DAQmxResetAnlgEdgeRefTrigLvl = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeRefTrigLvl
DAQmxResetAnlgEdgeRefTrigLvl.restype = int32
# DAQmxResetAnlgEdgeRefTrigLvl(taskHandle)
DAQmxResetAnlgEdgeRefTrigLvl.argtypes = [TaskHandle]
# NIDAQmx.h 4053
DAQmxGetAnlgEdgeRefTrigHyst = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeRefTrigHyst
DAQmxGetAnlgEdgeRefTrigHyst.restype = int32
# DAQmxGetAnlgEdgeRefTrigHyst(taskHandle, data)
DAQmxGetAnlgEdgeRefTrigHyst.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4054
DAQmxSetAnlgEdgeRefTrigHyst = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeRefTrigHyst
DAQmxSetAnlgEdgeRefTrigHyst.restype = int32
# DAQmxSetAnlgEdgeRefTrigHyst(taskHandle, data)
DAQmxSetAnlgEdgeRefTrigHyst.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4055
DAQmxResetAnlgEdgeRefTrigHyst = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeRefTrigHyst
DAQmxResetAnlgEdgeRefTrigHyst.restype = int32
# DAQmxResetAnlgEdgeRefTrigHyst(taskHandle)
DAQmxResetAnlgEdgeRefTrigHyst.argtypes = [TaskHandle]
# NIDAQmx.h 4058
DAQmxGetAnlgEdgeRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgEdgeRefTrigCoupling
DAQmxGetAnlgEdgeRefTrigCoupling.restype = int32
# DAQmxGetAnlgEdgeRefTrigCoupling(taskHandle, data)
DAQmxGetAnlgEdgeRefTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4059
DAQmxSetAnlgEdgeRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgEdgeRefTrigCoupling
DAQmxSetAnlgEdgeRefTrigCoupling.restype = int32
# DAQmxSetAnlgEdgeRefTrigCoupling(taskHandle, data)
DAQmxSetAnlgEdgeRefTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4060
DAQmxResetAnlgEdgeRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgEdgeRefTrigCoupling
DAQmxResetAnlgEdgeRefTrigCoupling.restype = int32
# DAQmxResetAnlgEdgeRefTrigCoupling(taskHandle)
DAQmxResetAnlgEdgeRefTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 4062
DAQmxGetAnlgWinRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinRefTrigSrc
DAQmxGetAnlgWinRefTrigSrc.restype = int32
# DAQmxGetAnlgWinRefTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgWinRefTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4063
DAQmxSetAnlgWinRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinRefTrigSrc
DAQmxSetAnlgWinRefTrigSrc.restype = int32
# DAQmxSetAnlgWinRefTrigSrc(taskHandle, data)
DAQmxSetAnlgWinRefTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4064
DAQmxResetAnlgWinRefTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinRefTrigSrc
DAQmxResetAnlgWinRefTrigSrc.restype = int32
# DAQmxResetAnlgWinRefTrigSrc(taskHandle)
DAQmxResetAnlgWinRefTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4067
DAQmxGetAnlgWinRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinRefTrigWhen
DAQmxGetAnlgWinRefTrigWhen.restype = int32
# DAQmxGetAnlgWinRefTrigWhen(taskHandle, data)
DAQmxGetAnlgWinRefTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4068
DAQmxSetAnlgWinRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinRefTrigWhen
DAQmxSetAnlgWinRefTrigWhen.restype = int32
# DAQmxSetAnlgWinRefTrigWhen(taskHandle, data)
DAQmxSetAnlgWinRefTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4069
DAQmxResetAnlgWinRefTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinRefTrigWhen
DAQmxResetAnlgWinRefTrigWhen.restype = int32
# DAQmxResetAnlgWinRefTrigWhen(taskHandle)
DAQmxResetAnlgWinRefTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 4071
DAQmxGetAnlgWinRefTrigTop = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinRefTrigTop
DAQmxGetAnlgWinRefTrigTop.restype = int32
# DAQmxGetAnlgWinRefTrigTop(taskHandle, data)
DAQmxGetAnlgWinRefTrigTop.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4072
DAQmxSetAnlgWinRefTrigTop = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinRefTrigTop
DAQmxSetAnlgWinRefTrigTop.restype = int32
# DAQmxSetAnlgWinRefTrigTop(taskHandle, data)
DAQmxSetAnlgWinRefTrigTop.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4073
DAQmxResetAnlgWinRefTrigTop = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinRefTrigTop
DAQmxResetAnlgWinRefTrigTop.restype = int32
# DAQmxResetAnlgWinRefTrigTop(taskHandle)
DAQmxResetAnlgWinRefTrigTop.argtypes = [TaskHandle]
# NIDAQmx.h 4075
DAQmxGetAnlgWinRefTrigBtm = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinRefTrigBtm
DAQmxGetAnlgWinRefTrigBtm.restype = int32
# DAQmxGetAnlgWinRefTrigBtm(taskHandle, data)
DAQmxGetAnlgWinRefTrigBtm.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4076
DAQmxSetAnlgWinRefTrigBtm = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinRefTrigBtm
DAQmxSetAnlgWinRefTrigBtm.restype = int32
# DAQmxSetAnlgWinRefTrigBtm(taskHandle, data)
DAQmxSetAnlgWinRefTrigBtm.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4077
DAQmxResetAnlgWinRefTrigBtm = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinRefTrigBtm
DAQmxResetAnlgWinRefTrigBtm.restype = int32
# DAQmxResetAnlgWinRefTrigBtm(taskHandle)
DAQmxResetAnlgWinRefTrigBtm.argtypes = [TaskHandle]
# NIDAQmx.h 4080
DAQmxGetAnlgWinRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinRefTrigCoupling
DAQmxGetAnlgWinRefTrigCoupling.restype = int32
# DAQmxGetAnlgWinRefTrigCoupling(taskHandle, data)
DAQmxGetAnlgWinRefTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4081
DAQmxSetAnlgWinRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinRefTrigCoupling
DAQmxSetAnlgWinRefTrigCoupling.restype = int32
# DAQmxSetAnlgWinRefTrigCoupling(taskHandle, data)
DAQmxSetAnlgWinRefTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4082
DAQmxResetAnlgWinRefTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinRefTrigCoupling
DAQmxResetAnlgWinRefTrigCoupling.restype = int32
# DAQmxResetAnlgWinRefTrigCoupling(taskHandle)
DAQmxResetAnlgWinRefTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 4085
DAQmxGetAdvTrigType = _stdcall_libraries['nicaiu'].DAQmxGetAdvTrigType
DAQmxGetAdvTrigType.restype = int32
# DAQmxGetAdvTrigType(taskHandle, data)
DAQmxGetAdvTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4086
DAQmxSetAdvTrigType = _stdcall_libraries['nicaiu'].DAQmxSetAdvTrigType
DAQmxSetAdvTrigType.restype = int32
# DAQmxSetAdvTrigType(taskHandle, data)
DAQmxSetAdvTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4087
DAQmxResetAdvTrigType = _stdcall_libraries['nicaiu'].DAQmxResetAdvTrigType
DAQmxResetAdvTrigType.restype = int32
# DAQmxResetAdvTrigType(taskHandle)
DAQmxResetAdvTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4089
DAQmxGetDigEdgeAdvTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeAdvTrigSrc
DAQmxGetDigEdgeAdvTrigSrc.restype = int32
# DAQmxGetDigEdgeAdvTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeAdvTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4090
DAQmxSetDigEdgeAdvTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeAdvTrigSrc
DAQmxSetDigEdgeAdvTrigSrc.restype = int32
# DAQmxSetDigEdgeAdvTrigSrc(taskHandle, data)
DAQmxSetDigEdgeAdvTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4091
DAQmxResetDigEdgeAdvTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeAdvTrigSrc
DAQmxResetDigEdgeAdvTrigSrc.restype = int32
# DAQmxResetDigEdgeAdvTrigSrc(taskHandle)
DAQmxResetDigEdgeAdvTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4094
DAQmxGetDigEdgeAdvTrigEdge = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeAdvTrigEdge
DAQmxGetDigEdgeAdvTrigEdge.restype = int32
# DAQmxGetDigEdgeAdvTrigEdge(taskHandle, data)
DAQmxGetDigEdgeAdvTrigEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4095
DAQmxSetDigEdgeAdvTrigEdge = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeAdvTrigEdge
DAQmxSetDigEdgeAdvTrigEdge.restype = int32
# DAQmxSetDigEdgeAdvTrigEdge(taskHandle, data)
DAQmxSetDigEdgeAdvTrigEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4096
DAQmxResetDigEdgeAdvTrigEdge = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeAdvTrigEdge
DAQmxResetDigEdgeAdvTrigEdge.restype = int32
# DAQmxResetDigEdgeAdvTrigEdge(taskHandle)
DAQmxResetDigEdgeAdvTrigEdge.argtypes = [TaskHandle]
# NIDAQmx.h 4098
DAQmxGetDigEdgeAdvTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeAdvTrigDigFltrEnable
DAQmxGetDigEdgeAdvTrigDigFltrEnable.restype = int32
# DAQmxGetDigEdgeAdvTrigDigFltrEnable(taskHandle, data)
DAQmxGetDigEdgeAdvTrigDigFltrEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4099
DAQmxSetDigEdgeAdvTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeAdvTrigDigFltrEnable
DAQmxSetDigEdgeAdvTrigDigFltrEnable.restype = int32
# DAQmxSetDigEdgeAdvTrigDigFltrEnable(taskHandle, data)
DAQmxSetDigEdgeAdvTrigDigFltrEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4100
DAQmxResetDigEdgeAdvTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeAdvTrigDigFltrEnable
DAQmxResetDigEdgeAdvTrigDigFltrEnable.restype = int32
# DAQmxResetDigEdgeAdvTrigDigFltrEnable(taskHandle)
DAQmxResetDigEdgeAdvTrigDigFltrEnable.argtypes = [TaskHandle]
# NIDAQmx.h 4103
DAQmxGetHshkTrigType = _stdcall_libraries['nicaiu'].DAQmxGetHshkTrigType
DAQmxGetHshkTrigType.restype = int32
# DAQmxGetHshkTrigType(taskHandle, data)
DAQmxGetHshkTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4104
DAQmxSetHshkTrigType = _stdcall_libraries['nicaiu'].DAQmxSetHshkTrigType
DAQmxSetHshkTrigType.restype = int32
# DAQmxSetHshkTrigType(taskHandle, data)
DAQmxSetHshkTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4105
DAQmxResetHshkTrigType = _stdcall_libraries['nicaiu'].DAQmxResetHshkTrigType
DAQmxResetHshkTrigType.restype = int32
# DAQmxResetHshkTrigType(taskHandle)
DAQmxResetHshkTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4107
DAQmxGetInterlockedHshkTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetInterlockedHshkTrigSrc
DAQmxGetInterlockedHshkTrigSrc.restype = int32
# DAQmxGetInterlockedHshkTrigSrc(taskHandle, data, bufferSize)
DAQmxGetInterlockedHshkTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4108
DAQmxSetInterlockedHshkTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetInterlockedHshkTrigSrc
DAQmxSetInterlockedHshkTrigSrc.restype = int32
# DAQmxSetInterlockedHshkTrigSrc(taskHandle, data)
DAQmxSetInterlockedHshkTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4109
DAQmxResetInterlockedHshkTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetInterlockedHshkTrigSrc
DAQmxResetInterlockedHshkTrigSrc.restype = int32
# DAQmxResetInterlockedHshkTrigSrc(taskHandle)
DAQmxResetInterlockedHshkTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4112
DAQmxGetInterlockedHshkTrigAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxGetInterlockedHshkTrigAssertedLvl
DAQmxGetInterlockedHshkTrigAssertedLvl.restype = int32
# DAQmxGetInterlockedHshkTrigAssertedLvl(taskHandle, data)
DAQmxGetInterlockedHshkTrigAssertedLvl.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4113
DAQmxSetInterlockedHshkTrigAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxSetInterlockedHshkTrigAssertedLvl
DAQmxSetInterlockedHshkTrigAssertedLvl.restype = int32
# DAQmxSetInterlockedHshkTrigAssertedLvl(taskHandle, data)
DAQmxSetInterlockedHshkTrigAssertedLvl.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4114
DAQmxResetInterlockedHshkTrigAssertedLvl = _stdcall_libraries['nicaiu'].DAQmxResetInterlockedHshkTrigAssertedLvl
DAQmxResetInterlockedHshkTrigAssertedLvl.restype = int32
# DAQmxResetInterlockedHshkTrigAssertedLvl(taskHandle)
DAQmxResetInterlockedHshkTrigAssertedLvl.argtypes = [TaskHandle]
# NIDAQmx.h 4117
DAQmxGetPauseTrigType = _stdcall_libraries['nicaiu'].DAQmxGetPauseTrigType
DAQmxGetPauseTrigType.restype = int32
# DAQmxGetPauseTrigType(taskHandle, data)
DAQmxGetPauseTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4118
DAQmxSetPauseTrigType = _stdcall_libraries['nicaiu'].DAQmxSetPauseTrigType
DAQmxSetPauseTrigType.restype = int32
# DAQmxSetPauseTrigType(taskHandle, data)
DAQmxSetPauseTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4119
DAQmxResetPauseTrigType = _stdcall_libraries['nicaiu'].DAQmxResetPauseTrigType
DAQmxResetPauseTrigType.restype = int32
# DAQmxResetPauseTrigType(taskHandle)
DAQmxResetPauseTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4121
DAQmxGetAnlgLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgLvlPauseTrigSrc
DAQmxGetAnlgLvlPauseTrigSrc.restype = int32
# DAQmxGetAnlgLvlPauseTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgLvlPauseTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4122
DAQmxSetAnlgLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgLvlPauseTrigSrc
DAQmxSetAnlgLvlPauseTrigSrc.restype = int32
# DAQmxSetAnlgLvlPauseTrigSrc(taskHandle, data)
DAQmxSetAnlgLvlPauseTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4123
DAQmxResetAnlgLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgLvlPauseTrigSrc
DAQmxResetAnlgLvlPauseTrigSrc.restype = int32
# DAQmxResetAnlgLvlPauseTrigSrc(taskHandle)
DAQmxResetAnlgLvlPauseTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4126
DAQmxGetAnlgLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetAnlgLvlPauseTrigWhen
DAQmxGetAnlgLvlPauseTrigWhen.restype = int32
# DAQmxGetAnlgLvlPauseTrigWhen(taskHandle, data)
DAQmxGetAnlgLvlPauseTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4127
DAQmxSetAnlgLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetAnlgLvlPauseTrigWhen
DAQmxSetAnlgLvlPauseTrigWhen.restype = int32
# DAQmxSetAnlgLvlPauseTrigWhen(taskHandle, data)
DAQmxSetAnlgLvlPauseTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4128
DAQmxResetAnlgLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetAnlgLvlPauseTrigWhen
DAQmxResetAnlgLvlPauseTrigWhen.restype = int32
# DAQmxResetAnlgLvlPauseTrigWhen(taskHandle)
DAQmxResetAnlgLvlPauseTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 4130
DAQmxGetAnlgLvlPauseTrigLvl = _stdcall_libraries['nicaiu'].DAQmxGetAnlgLvlPauseTrigLvl
DAQmxGetAnlgLvlPauseTrigLvl.restype = int32
# DAQmxGetAnlgLvlPauseTrigLvl(taskHandle, data)
DAQmxGetAnlgLvlPauseTrigLvl.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4131
DAQmxSetAnlgLvlPauseTrigLvl = _stdcall_libraries['nicaiu'].DAQmxSetAnlgLvlPauseTrigLvl
DAQmxSetAnlgLvlPauseTrigLvl.restype = int32
# DAQmxSetAnlgLvlPauseTrigLvl(taskHandle, data)
DAQmxSetAnlgLvlPauseTrigLvl.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4132
DAQmxResetAnlgLvlPauseTrigLvl = _stdcall_libraries['nicaiu'].DAQmxResetAnlgLvlPauseTrigLvl
DAQmxResetAnlgLvlPauseTrigLvl.restype = int32
# DAQmxResetAnlgLvlPauseTrigLvl(taskHandle)
DAQmxResetAnlgLvlPauseTrigLvl.argtypes = [TaskHandle]
# NIDAQmx.h 4134
DAQmxGetAnlgLvlPauseTrigHyst = _stdcall_libraries['nicaiu'].DAQmxGetAnlgLvlPauseTrigHyst
DAQmxGetAnlgLvlPauseTrigHyst.restype = int32
# DAQmxGetAnlgLvlPauseTrigHyst(taskHandle, data)
DAQmxGetAnlgLvlPauseTrigHyst.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4135
DAQmxSetAnlgLvlPauseTrigHyst = _stdcall_libraries['nicaiu'].DAQmxSetAnlgLvlPauseTrigHyst
DAQmxSetAnlgLvlPauseTrigHyst.restype = int32
# DAQmxSetAnlgLvlPauseTrigHyst(taskHandle, data)
DAQmxSetAnlgLvlPauseTrigHyst.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4136
DAQmxResetAnlgLvlPauseTrigHyst = _stdcall_libraries['nicaiu'].DAQmxResetAnlgLvlPauseTrigHyst
DAQmxResetAnlgLvlPauseTrigHyst.restype = int32
# DAQmxResetAnlgLvlPauseTrigHyst(taskHandle)
DAQmxResetAnlgLvlPauseTrigHyst.argtypes = [TaskHandle]
# NIDAQmx.h 4139
DAQmxGetAnlgLvlPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgLvlPauseTrigCoupling
DAQmxGetAnlgLvlPauseTrigCoupling.restype = int32
# DAQmxGetAnlgLvlPauseTrigCoupling(taskHandle, data)
DAQmxGetAnlgLvlPauseTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4140
DAQmxSetAnlgLvlPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgLvlPauseTrigCoupling
DAQmxSetAnlgLvlPauseTrigCoupling.restype = int32
# DAQmxSetAnlgLvlPauseTrigCoupling(taskHandle, data)
DAQmxSetAnlgLvlPauseTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4141
DAQmxResetAnlgLvlPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgLvlPauseTrigCoupling
DAQmxResetAnlgLvlPauseTrigCoupling.restype = int32
# DAQmxResetAnlgLvlPauseTrigCoupling(taskHandle)
DAQmxResetAnlgLvlPauseTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 4143
DAQmxGetAnlgWinPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinPauseTrigSrc
DAQmxGetAnlgWinPauseTrigSrc.restype = int32
# DAQmxGetAnlgWinPauseTrigSrc(taskHandle, data, bufferSize)
DAQmxGetAnlgWinPauseTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4144
DAQmxSetAnlgWinPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinPauseTrigSrc
DAQmxSetAnlgWinPauseTrigSrc.restype = int32
# DAQmxSetAnlgWinPauseTrigSrc(taskHandle, data)
DAQmxSetAnlgWinPauseTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4145
DAQmxResetAnlgWinPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinPauseTrigSrc
DAQmxResetAnlgWinPauseTrigSrc.restype = int32
# DAQmxResetAnlgWinPauseTrigSrc(taskHandle)
DAQmxResetAnlgWinPauseTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4148
DAQmxGetAnlgWinPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinPauseTrigWhen
DAQmxGetAnlgWinPauseTrigWhen.restype = int32
# DAQmxGetAnlgWinPauseTrigWhen(taskHandle, data)
DAQmxGetAnlgWinPauseTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4149
DAQmxSetAnlgWinPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinPauseTrigWhen
DAQmxSetAnlgWinPauseTrigWhen.restype = int32
# DAQmxSetAnlgWinPauseTrigWhen(taskHandle, data)
DAQmxSetAnlgWinPauseTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4150
DAQmxResetAnlgWinPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinPauseTrigWhen
DAQmxResetAnlgWinPauseTrigWhen.restype = int32
# DAQmxResetAnlgWinPauseTrigWhen(taskHandle)
DAQmxResetAnlgWinPauseTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 4152
DAQmxGetAnlgWinPauseTrigTop = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinPauseTrigTop
DAQmxGetAnlgWinPauseTrigTop.restype = int32
# DAQmxGetAnlgWinPauseTrigTop(taskHandle, data)
DAQmxGetAnlgWinPauseTrigTop.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4153
DAQmxSetAnlgWinPauseTrigTop = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinPauseTrigTop
DAQmxSetAnlgWinPauseTrigTop.restype = int32
# DAQmxSetAnlgWinPauseTrigTop(taskHandle, data)
DAQmxSetAnlgWinPauseTrigTop.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4154
DAQmxResetAnlgWinPauseTrigTop = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinPauseTrigTop
DAQmxResetAnlgWinPauseTrigTop.restype = int32
# DAQmxResetAnlgWinPauseTrigTop(taskHandle)
DAQmxResetAnlgWinPauseTrigTop.argtypes = [TaskHandle]
# NIDAQmx.h 4156
DAQmxGetAnlgWinPauseTrigBtm = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinPauseTrigBtm
DAQmxGetAnlgWinPauseTrigBtm.restype = int32
# DAQmxGetAnlgWinPauseTrigBtm(taskHandle, data)
DAQmxGetAnlgWinPauseTrigBtm.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4157
DAQmxSetAnlgWinPauseTrigBtm = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinPauseTrigBtm
DAQmxSetAnlgWinPauseTrigBtm.restype = int32
# DAQmxSetAnlgWinPauseTrigBtm(taskHandle, data)
DAQmxSetAnlgWinPauseTrigBtm.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4158
DAQmxResetAnlgWinPauseTrigBtm = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinPauseTrigBtm
DAQmxResetAnlgWinPauseTrigBtm.restype = int32
# DAQmxResetAnlgWinPauseTrigBtm(taskHandle)
DAQmxResetAnlgWinPauseTrigBtm.argtypes = [TaskHandle]
# NIDAQmx.h 4161
DAQmxGetAnlgWinPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxGetAnlgWinPauseTrigCoupling
DAQmxGetAnlgWinPauseTrigCoupling.restype = int32
# DAQmxGetAnlgWinPauseTrigCoupling(taskHandle, data)
DAQmxGetAnlgWinPauseTrigCoupling.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4162
DAQmxSetAnlgWinPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxSetAnlgWinPauseTrigCoupling
DAQmxSetAnlgWinPauseTrigCoupling.restype = int32
# DAQmxSetAnlgWinPauseTrigCoupling(taskHandle, data)
DAQmxSetAnlgWinPauseTrigCoupling.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4163
DAQmxResetAnlgWinPauseTrigCoupling = _stdcall_libraries['nicaiu'].DAQmxResetAnlgWinPauseTrigCoupling
DAQmxResetAnlgWinPauseTrigCoupling.restype = int32
# DAQmxResetAnlgWinPauseTrigCoupling(taskHandle)
DAQmxResetAnlgWinPauseTrigCoupling.argtypes = [TaskHandle]
# NIDAQmx.h 4165
DAQmxGetDigLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigSrc
DAQmxGetDigLvlPauseTrigSrc.restype = int32
# DAQmxGetDigLvlPauseTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigLvlPauseTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4166
DAQmxSetDigLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigSrc
DAQmxSetDigLvlPauseTrigSrc.restype = int32
# DAQmxSetDigLvlPauseTrigSrc(taskHandle, data)
DAQmxSetDigLvlPauseTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4167
DAQmxResetDigLvlPauseTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigSrc
DAQmxResetDigLvlPauseTrigSrc.restype = int32
# DAQmxResetDigLvlPauseTrigSrc(taskHandle)
DAQmxResetDigLvlPauseTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4170
DAQmxGetDigLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigWhen
DAQmxGetDigLvlPauseTrigWhen.restype = int32
# DAQmxGetDigLvlPauseTrigWhen(taskHandle, data)
DAQmxGetDigLvlPauseTrigWhen.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4171
DAQmxSetDigLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigWhen
DAQmxSetDigLvlPauseTrigWhen.restype = int32
# DAQmxSetDigLvlPauseTrigWhen(taskHandle, data)
DAQmxSetDigLvlPauseTrigWhen.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4172
DAQmxResetDigLvlPauseTrigWhen = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigWhen
DAQmxResetDigLvlPauseTrigWhen.restype = int32
# DAQmxResetDigLvlPauseTrigWhen(taskHandle)
DAQmxResetDigLvlPauseTrigWhen.argtypes = [TaskHandle]
# NIDAQmx.h 4174
DAQmxGetDigLvlPauseTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigDigFltrEnable
DAQmxGetDigLvlPauseTrigDigFltrEnable.restype = int32
# DAQmxGetDigLvlPauseTrigDigFltrEnable(taskHandle, data)
DAQmxGetDigLvlPauseTrigDigFltrEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4175
DAQmxSetDigLvlPauseTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigDigFltrEnable
DAQmxSetDigLvlPauseTrigDigFltrEnable.restype = int32
# DAQmxSetDigLvlPauseTrigDigFltrEnable(taskHandle, data)
DAQmxSetDigLvlPauseTrigDigFltrEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4176
DAQmxResetDigLvlPauseTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigDigFltrEnable
DAQmxResetDigLvlPauseTrigDigFltrEnable.restype = int32
# DAQmxResetDigLvlPauseTrigDigFltrEnable(taskHandle)
DAQmxResetDigLvlPauseTrigDigFltrEnable.argtypes = [TaskHandle]
# NIDAQmx.h 4178
DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth
DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth.restype = int32
# DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4179
DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth
DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth.restype = int32
# DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4180
DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth
DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth.restype = int32
# DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth(taskHandle)
DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 4182
DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc
DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc.restype = int32
# DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4183
DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc
DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc.restype = int32
# DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc(taskHandle, data)
DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4184
DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc
DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc.restype = int32
# DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc(taskHandle)
DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4186
DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate
DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate.restype = int32
# DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4187
DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate
DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate.restype = int32
# DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4188
DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate
DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate.restype = int32
# DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate(taskHandle)
DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 4190
DAQmxGetDigLvlPauseTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigLvlPauseTrigDigSyncEnable
DAQmxGetDigLvlPauseTrigDigSyncEnable.restype = int32
# DAQmxGetDigLvlPauseTrigDigSyncEnable(taskHandle, data)
DAQmxGetDigLvlPauseTrigDigSyncEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4191
DAQmxSetDigLvlPauseTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigLvlPauseTrigDigSyncEnable
DAQmxSetDigLvlPauseTrigDigSyncEnable.restype = int32
# DAQmxSetDigLvlPauseTrigDigSyncEnable(taskHandle, data)
DAQmxSetDigLvlPauseTrigDigSyncEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4192
DAQmxResetDigLvlPauseTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigLvlPauseTrigDigSyncEnable
DAQmxResetDigLvlPauseTrigDigSyncEnable.restype = int32
# DAQmxResetDigLvlPauseTrigDigSyncEnable(taskHandle)
DAQmxResetDigLvlPauseTrigDigSyncEnable.argtypes = [TaskHandle]
# NIDAQmx.h 4195
DAQmxGetArmStartTrigType = _stdcall_libraries['nicaiu'].DAQmxGetArmStartTrigType
DAQmxGetArmStartTrigType.restype = int32
# DAQmxGetArmStartTrigType(taskHandle, data)
DAQmxGetArmStartTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4196
DAQmxSetArmStartTrigType = _stdcall_libraries['nicaiu'].DAQmxSetArmStartTrigType
DAQmxSetArmStartTrigType.restype = int32
# DAQmxSetArmStartTrigType(taskHandle, data)
DAQmxSetArmStartTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4197
DAQmxResetArmStartTrigType = _stdcall_libraries['nicaiu'].DAQmxResetArmStartTrigType
DAQmxResetArmStartTrigType.restype = int32
# DAQmxResetArmStartTrigType(taskHandle)
DAQmxResetArmStartTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4199
DAQmxGetDigEdgeArmStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigSrc
DAQmxGetDigEdgeArmStartTrigSrc.restype = int32
# DAQmxGetDigEdgeArmStartTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeArmStartTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4200
DAQmxSetDigEdgeArmStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigSrc
DAQmxSetDigEdgeArmStartTrigSrc.restype = int32
# DAQmxSetDigEdgeArmStartTrigSrc(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4201
DAQmxResetDigEdgeArmStartTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigSrc
DAQmxResetDigEdgeArmStartTrigSrc.restype = int32
# DAQmxResetDigEdgeArmStartTrigSrc(taskHandle)
DAQmxResetDigEdgeArmStartTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4204
DAQmxGetDigEdgeArmStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigEdge
DAQmxGetDigEdgeArmStartTrigEdge.restype = int32
# DAQmxGetDigEdgeArmStartTrigEdge(taskHandle, data)
DAQmxGetDigEdgeArmStartTrigEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4205
DAQmxSetDigEdgeArmStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigEdge
DAQmxSetDigEdgeArmStartTrigEdge.restype = int32
# DAQmxSetDigEdgeArmStartTrigEdge(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4206
DAQmxResetDigEdgeArmStartTrigEdge = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigEdge
DAQmxResetDigEdgeArmStartTrigEdge.restype = int32
# DAQmxResetDigEdgeArmStartTrigEdge(taskHandle)
DAQmxResetDigEdgeArmStartTrigEdge.argtypes = [TaskHandle]
# NIDAQmx.h 4208
DAQmxGetDigEdgeArmStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigDigFltrEnable
DAQmxGetDigEdgeArmStartTrigDigFltrEnable.restype = int32
# DAQmxGetDigEdgeArmStartTrigDigFltrEnable(taskHandle, data)
DAQmxGetDigEdgeArmStartTrigDigFltrEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4209
DAQmxSetDigEdgeArmStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigDigFltrEnable
DAQmxSetDigEdgeArmStartTrigDigFltrEnable.restype = int32
# DAQmxSetDigEdgeArmStartTrigDigFltrEnable(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigDigFltrEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4210
DAQmxResetDigEdgeArmStartTrigDigFltrEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigDigFltrEnable
DAQmxResetDigEdgeArmStartTrigDigFltrEnable.restype = int32
# DAQmxResetDigEdgeArmStartTrigDigFltrEnable(taskHandle)
DAQmxResetDigEdgeArmStartTrigDigFltrEnable.argtypes = [TaskHandle]
# NIDAQmx.h 4212
DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth
DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4213
DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth
DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4214
DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth
DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth.restype = int32
# DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth(taskHandle)
DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth.argtypes = [TaskHandle]
# NIDAQmx.h 4216
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4217
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4218
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc.restype = int32
# DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc(taskHandle)
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4220
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4221
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4222
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate.restype = int32
# DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate(taskHandle)
DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate.argtypes = [TaskHandle]
# NIDAQmx.h 4224
DAQmxGetDigEdgeArmStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeArmStartTrigDigSyncEnable
DAQmxGetDigEdgeArmStartTrigDigSyncEnable.restype = int32
# DAQmxGetDigEdgeArmStartTrigDigSyncEnable(taskHandle, data)
DAQmxGetDigEdgeArmStartTrigDigSyncEnable.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4225
DAQmxSetDigEdgeArmStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeArmStartTrigDigSyncEnable
DAQmxSetDigEdgeArmStartTrigDigSyncEnable.restype = int32
# DAQmxSetDigEdgeArmStartTrigDigSyncEnable(taskHandle, data)
DAQmxSetDigEdgeArmStartTrigDigSyncEnable.argtypes = [TaskHandle, bool32]
# NIDAQmx.h 4226
DAQmxResetDigEdgeArmStartTrigDigSyncEnable = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeArmStartTrigDigSyncEnable
DAQmxResetDigEdgeArmStartTrigDigSyncEnable.restype = int32
# DAQmxResetDigEdgeArmStartTrigDigSyncEnable(taskHandle)
DAQmxResetDigEdgeArmStartTrigDigSyncEnable.argtypes = [TaskHandle]
# NIDAQmx.h 4230
DAQmxGetWatchdogTimeout = _stdcall_libraries['nicaiu'].DAQmxGetWatchdogTimeout
DAQmxGetWatchdogTimeout.restype = int32
# DAQmxGetWatchdogTimeout(taskHandle, data)
DAQmxGetWatchdogTimeout.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4231
DAQmxSetWatchdogTimeout = _stdcall_libraries['nicaiu'].DAQmxSetWatchdogTimeout
DAQmxSetWatchdogTimeout.restype = int32
# DAQmxSetWatchdogTimeout(taskHandle, data)
DAQmxSetWatchdogTimeout.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4232
DAQmxResetWatchdogTimeout = _stdcall_libraries['nicaiu'].DAQmxResetWatchdogTimeout
DAQmxResetWatchdogTimeout.restype = int32
# DAQmxResetWatchdogTimeout(taskHandle)
DAQmxResetWatchdogTimeout.argtypes = [TaskHandle]
# NIDAQmx.h 4235
DAQmxGetWatchdogExpirTrigType = _stdcall_libraries['nicaiu'].DAQmxGetWatchdogExpirTrigType
DAQmxGetWatchdogExpirTrigType.restype = int32
# DAQmxGetWatchdogExpirTrigType(taskHandle, data)
DAQmxGetWatchdogExpirTrigType.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4236
DAQmxSetWatchdogExpirTrigType = _stdcall_libraries['nicaiu'].DAQmxSetWatchdogExpirTrigType
DAQmxSetWatchdogExpirTrigType.restype = int32
# DAQmxSetWatchdogExpirTrigType(taskHandle, data)
DAQmxSetWatchdogExpirTrigType.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4237
DAQmxResetWatchdogExpirTrigType = _stdcall_libraries['nicaiu'].DAQmxResetWatchdogExpirTrigType
DAQmxResetWatchdogExpirTrigType.restype = int32
# DAQmxResetWatchdogExpirTrigType(taskHandle)
DAQmxResetWatchdogExpirTrigType.argtypes = [TaskHandle]
# NIDAQmx.h 4239
DAQmxGetDigEdgeWatchdogExpirTrigSrc = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeWatchdogExpirTrigSrc
DAQmxGetDigEdgeWatchdogExpirTrigSrc.restype = int32
# DAQmxGetDigEdgeWatchdogExpirTrigSrc(taskHandle, data, bufferSize)
DAQmxGetDigEdgeWatchdogExpirTrigSrc.argtypes = [TaskHandle, STRING, uInt32]
# NIDAQmx.h 4240
DAQmxSetDigEdgeWatchdogExpirTrigSrc = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeWatchdogExpirTrigSrc
DAQmxSetDigEdgeWatchdogExpirTrigSrc.restype = int32
# DAQmxSetDigEdgeWatchdogExpirTrigSrc(taskHandle, data)
DAQmxSetDigEdgeWatchdogExpirTrigSrc.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4241
DAQmxResetDigEdgeWatchdogExpirTrigSrc = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeWatchdogExpirTrigSrc
DAQmxResetDigEdgeWatchdogExpirTrigSrc.restype = int32
# DAQmxResetDigEdgeWatchdogExpirTrigSrc(taskHandle)
DAQmxResetDigEdgeWatchdogExpirTrigSrc.argtypes = [TaskHandle]
# NIDAQmx.h 4244
DAQmxGetDigEdgeWatchdogExpirTrigEdge = _stdcall_libraries['nicaiu'].DAQmxGetDigEdgeWatchdogExpirTrigEdge
DAQmxGetDigEdgeWatchdogExpirTrigEdge.restype = int32
# DAQmxGetDigEdgeWatchdogExpirTrigEdge(taskHandle, data)
DAQmxGetDigEdgeWatchdogExpirTrigEdge.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4245
DAQmxSetDigEdgeWatchdogExpirTrigEdge = _stdcall_libraries['nicaiu'].DAQmxSetDigEdgeWatchdogExpirTrigEdge
DAQmxSetDigEdgeWatchdogExpirTrigEdge.restype = int32
# DAQmxSetDigEdgeWatchdogExpirTrigEdge(taskHandle, data)
DAQmxSetDigEdgeWatchdogExpirTrigEdge.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4246
DAQmxResetDigEdgeWatchdogExpirTrigEdge = _stdcall_libraries['nicaiu'].DAQmxResetDigEdgeWatchdogExpirTrigEdge
DAQmxResetDigEdgeWatchdogExpirTrigEdge.restype = int32
# DAQmxResetDigEdgeWatchdogExpirTrigEdge(taskHandle)
DAQmxResetDigEdgeWatchdogExpirTrigEdge.argtypes = [TaskHandle]
# NIDAQmx.h 4249
DAQmxGetWatchdogDOExpirState = _stdcall_libraries['nicaiu'].DAQmxGetWatchdogDOExpirState
DAQmxGetWatchdogDOExpirState.restype = int32
# DAQmxGetWatchdogDOExpirState(taskHandle, channel, data)
DAQmxGetWatchdogDOExpirState.argtypes = [TaskHandle, STRING, POINTER(int32)]
# NIDAQmx.h 4250
DAQmxSetWatchdogDOExpirState = _stdcall_libraries['nicaiu'].DAQmxSetWatchdogDOExpirState
DAQmxSetWatchdogDOExpirState.restype = int32
# DAQmxSetWatchdogDOExpirState(taskHandle, channel, data)
DAQmxSetWatchdogDOExpirState.argtypes = [TaskHandle, STRING, int32]
# NIDAQmx.h 4251
DAQmxResetWatchdogDOExpirState = _stdcall_libraries['nicaiu'].DAQmxResetWatchdogDOExpirState
DAQmxResetWatchdogDOExpirState.restype = int32
# DAQmxResetWatchdogDOExpirState(taskHandle, channel)
DAQmxResetWatchdogDOExpirState.argtypes = [TaskHandle, STRING]
# NIDAQmx.h 4253
DAQmxGetWatchdogHasExpired = _stdcall_libraries['nicaiu'].DAQmxGetWatchdogHasExpired
DAQmxGetWatchdogHasExpired.restype = int32
# DAQmxGetWatchdogHasExpired(taskHandle, data)
DAQmxGetWatchdogHasExpired.argtypes = [TaskHandle, POINTER(bool32)]
# NIDAQmx.h 4258
DAQmxGetWriteRelativeTo = _stdcall_libraries['nicaiu'].DAQmxGetWriteRelativeTo
DAQmxGetWriteRelativeTo.restype = int32
# DAQmxGetWriteRelativeTo(taskHandle, data)
DAQmxGetWriteRelativeTo.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4259
DAQmxSetWriteRelativeTo = _stdcall_libraries['nicaiu'].DAQmxSetWriteRelativeTo
DAQmxSetWriteRelativeTo.restype = int32
# DAQmxSetWriteRelativeTo(taskHandle, data)
DAQmxSetWriteRelativeTo.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4260
DAQmxResetWriteRelativeTo = _stdcall_libraries['nicaiu'].DAQmxResetWriteRelativeTo
DAQmxResetWriteRelativeTo.restype = int32
# DAQmxResetWriteRelativeTo(taskHandle)
DAQmxResetWriteRelativeTo.argtypes = [TaskHandle]
# NIDAQmx.h 4262
DAQmxGetWriteOffset = _stdcall_libraries['nicaiu'].DAQmxGetWriteOffset
DAQmxGetWriteOffset.restype = int32
# DAQmxGetWriteOffset(taskHandle, data)
DAQmxGetWriteOffset.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4263
DAQmxSetWriteOffset = _stdcall_libraries['nicaiu'].DAQmxSetWriteOffset
DAQmxSetWriteOffset.restype = int32
# DAQmxSetWriteOffset(taskHandle, data)
DAQmxSetWriteOffset.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4264
DAQmxResetWriteOffset = _stdcall_libraries['nicaiu'].DAQmxResetWriteOffset
DAQmxResetWriteOffset.restype = int32
# DAQmxResetWriteOffset(taskHandle)
DAQmxResetWriteOffset.argtypes = [TaskHandle]
# NIDAQmx.h 4267
DAQmxGetWriteRegenMode = _stdcall_libraries['nicaiu'].DAQmxGetWriteRegenMode
DAQmxGetWriteRegenMode.restype = int32
# DAQmxGetWriteRegenMode(taskHandle, data)
DAQmxGetWriteRegenMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4268
DAQmxSetWriteRegenMode = _stdcall_libraries['nicaiu'].DAQmxSetWriteRegenMode
DAQmxSetWriteRegenMode.restype = int32
# DAQmxSetWriteRegenMode(taskHandle, data)
DAQmxSetWriteRegenMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4269
DAQmxResetWriteRegenMode = _stdcall_libraries['nicaiu'].DAQmxResetWriteRegenMode
DAQmxResetWriteRegenMode.restype = int32
# DAQmxResetWriteRegenMode(taskHandle)
DAQmxResetWriteRegenMode.argtypes = [TaskHandle]
# NIDAQmx.h 4271
DAQmxGetWriteCurrWritePos = _stdcall_libraries['nicaiu'].DAQmxGetWriteCurrWritePos
DAQmxGetWriteCurrWritePos.restype = int32
# DAQmxGetWriteCurrWritePos(taskHandle, data)
DAQmxGetWriteCurrWritePos.argtypes = [TaskHandle, POINTER(uInt64)]
# NIDAQmx.h 4273
DAQmxGetWriteSpaceAvail = _stdcall_libraries['nicaiu'].DAQmxGetWriteSpaceAvail
DAQmxGetWriteSpaceAvail.restype = int32
# DAQmxGetWriteSpaceAvail(taskHandle, data)
DAQmxGetWriteSpaceAvail.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 4275
DAQmxGetWriteTotalSampPerChanGenerated = _stdcall_libraries['nicaiu'].DAQmxGetWriteTotalSampPerChanGenerated
DAQmxGetWriteTotalSampPerChanGenerated.restype = int32
# DAQmxGetWriteTotalSampPerChanGenerated(taskHandle, data)
DAQmxGetWriteTotalSampPerChanGenerated.argtypes = [TaskHandle, POINTER(uInt64)]
# NIDAQmx.h 4277
DAQmxGetWriteRawDataWidth = _stdcall_libraries['nicaiu'].DAQmxGetWriteRawDataWidth
DAQmxGetWriteRawDataWidth.restype = int32
# DAQmxGetWriteRawDataWidth(taskHandle, data)
DAQmxGetWriteRawDataWidth.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 4279
DAQmxGetWriteNumChans = _stdcall_libraries['nicaiu'].DAQmxGetWriteNumChans
DAQmxGetWriteNumChans.restype = int32
# DAQmxGetWriteNumChans(taskHandle, data)
DAQmxGetWriteNumChans.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 4282
DAQmxGetWriteWaitMode = _stdcall_libraries['nicaiu'].DAQmxGetWriteWaitMode
DAQmxGetWriteWaitMode.restype = int32
# DAQmxGetWriteWaitMode(taskHandle, data)
DAQmxGetWriteWaitMode.argtypes = [TaskHandle, POINTER(int32)]
# NIDAQmx.h 4283
DAQmxSetWriteWaitMode = _stdcall_libraries['nicaiu'].DAQmxSetWriteWaitMode
DAQmxSetWriteWaitMode.restype = int32
# DAQmxSetWriteWaitMode(taskHandle, data)
DAQmxSetWriteWaitMode.argtypes = [TaskHandle, int32]
# NIDAQmx.h 4284
DAQmxResetWriteWaitMode = _stdcall_libraries['nicaiu'].DAQmxResetWriteWaitMode
DAQmxResetWriteWaitMode.restype = int32
# DAQmxResetWriteWaitMode(taskHandle)
DAQmxResetWriteWaitMode.argtypes = [TaskHandle]
# NIDAQmx.h 4286
DAQmxGetWriteSleepTime = _stdcall_libraries['nicaiu'].DAQmxGetWriteSleepTime
DAQmxGetWriteSleepTime.restype = int32
# DAQmxGetWriteSleepTime(taskHandle, data)
DAQmxGetWriteSleepTime.argtypes = [TaskHandle, POINTER(float64)]
# NIDAQmx.h 4287
DAQmxSetWriteSleepTime = _stdcall_libraries['nicaiu'].DAQmxSetWriteSleepTime
DAQmxSetWriteSleepTime.restype = int32
# DAQmxSetWriteSleepTime(taskHandle, data)
DAQmxSetWriteSleepTime.argtypes = [TaskHandle, float64]
# NIDAQmx.h 4288
DAQmxResetWriteSleepTime = _stdcall_libraries['nicaiu'].DAQmxResetWriteSleepTime
DAQmxResetWriteSleepTime.restype = int32
# DAQmxResetWriteSleepTime(taskHandle)
DAQmxResetWriteSleepTime.argtypes = [TaskHandle]
# NIDAQmx.h 4290
DAQmxGetWriteDigitalLinesBytesPerChan = _stdcall_libraries['nicaiu'].DAQmxGetWriteDigitalLinesBytesPerChan
DAQmxGetWriteDigitalLinesBytesPerChan.restype = int32
# DAQmxGetWriteDigitalLinesBytesPerChan(taskHandle, data)
DAQmxGetWriteDigitalLinesBytesPerChan.argtypes = [TaskHandle, POINTER(uInt32)]
# NIDAQmx.h 4294
DAQmxGetPhysicalChanTEDSMfgID = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSMfgID
DAQmxGetPhysicalChanTEDSMfgID.restype = int32
# DAQmxGetPhysicalChanTEDSMfgID(physicalChannel, data)
DAQmxGetPhysicalChanTEDSMfgID.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 4296
DAQmxGetPhysicalChanTEDSModelNum = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSModelNum
DAQmxGetPhysicalChanTEDSModelNum.restype = int32
# DAQmxGetPhysicalChanTEDSModelNum(physicalChannel, data)
DAQmxGetPhysicalChanTEDSModelNum.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 4298
DAQmxGetPhysicalChanTEDSSerialNum = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSSerialNum
DAQmxGetPhysicalChanTEDSSerialNum.restype = int32
# DAQmxGetPhysicalChanTEDSSerialNum(physicalChannel, data)
DAQmxGetPhysicalChanTEDSSerialNum.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 4300
DAQmxGetPhysicalChanTEDSVersionNum = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSVersionNum
DAQmxGetPhysicalChanTEDSVersionNum.restype = int32
# DAQmxGetPhysicalChanTEDSVersionNum(physicalChannel, data)
DAQmxGetPhysicalChanTEDSVersionNum.argtypes = [STRING, POINTER(uInt32)]
# NIDAQmx.h 4302
DAQmxGetPhysicalChanTEDSVersionLetter = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSVersionLetter
DAQmxGetPhysicalChanTEDSVersionLetter.restype = int32
# DAQmxGetPhysicalChanTEDSVersionLetter(physicalChannel, data, bufferSize)
DAQmxGetPhysicalChanTEDSVersionLetter.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 4304
DAQmxGetPhysicalChanTEDSBitStream = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSBitStream
DAQmxGetPhysicalChanTEDSBitStream.restype = int32
# DAQmxGetPhysicalChanTEDSBitStream(physicalChannel, data, arraySizeInSamples)
DAQmxGetPhysicalChanTEDSBitStream.argtypes = [STRING, POINTER(uInt8), uInt32]
# NIDAQmx.h 4306
DAQmxGetPhysicalChanTEDSTemplateIDs = _stdcall_libraries['nicaiu'].DAQmxGetPhysicalChanTEDSTemplateIDs
DAQmxGetPhysicalChanTEDSTemplateIDs.restype = int32
# DAQmxGetPhysicalChanTEDSTemplateIDs(physicalChannel, data, arraySizeInSamples)
DAQmxGetPhysicalChanTEDSTemplateIDs.argtypes = [STRING, POINTER(uInt32), uInt32]
# NIDAQmx.h 4310
DAQmxGetPersistedTaskAuthor = _stdcall_libraries['nicaiu'].DAQmxGetPersistedTaskAuthor
DAQmxGetPersistedTaskAuthor.restype = int32
# DAQmxGetPersistedTaskAuthor(taskName, data, bufferSize)
DAQmxGetPersistedTaskAuthor.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 4312
DAQmxGetPersistedTaskAllowInteractiveEditing = _stdcall_libraries['nicaiu'].DAQmxGetPersistedTaskAllowInteractiveEditing
DAQmxGetPersistedTaskAllowInteractiveEditing.restype = int32
# DAQmxGetPersistedTaskAllowInteractiveEditing(taskName, data)
DAQmxGetPersistedTaskAllowInteractiveEditing.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 4314
DAQmxGetPersistedTaskAllowInteractiveDeletion = _stdcall_libraries['nicaiu'].DAQmxGetPersistedTaskAllowInteractiveDeletion
DAQmxGetPersistedTaskAllowInteractiveDeletion.restype = int32
# DAQmxGetPersistedTaskAllowInteractiveDeletion(taskName, data)
DAQmxGetPersistedTaskAllowInteractiveDeletion.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 4318
DAQmxGetPersistedChanAuthor = _stdcall_libraries['nicaiu'].DAQmxGetPersistedChanAuthor
DAQmxGetPersistedChanAuthor.restype = int32
# DAQmxGetPersistedChanAuthor(channel, data, bufferSize)
DAQmxGetPersistedChanAuthor.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 4320
DAQmxGetPersistedChanAllowInteractiveEditing = _stdcall_libraries['nicaiu'].DAQmxGetPersistedChanAllowInteractiveEditing
DAQmxGetPersistedChanAllowInteractiveEditing.restype = int32
# DAQmxGetPersistedChanAllowInteractiveEditing(channel, data)
DAQmxGetPersistedChanAllowInteractiveEditing.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 4322
DAQmxGetPersistedChanAllowInteractiveDeletion = _stdcall_libraries['nicaiu'].DAQmxGetPersistedChanAllowInteractiveDeletion
DAQmxGetPersistedChanAllowInteractiveDeletion.restype = int32
# DAQmxGetPersistedChanAllowInteractiveDeletion(channel, data)
DAQmxGetPersistedChanAllowInteractiveDeletion.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 4326
DAQmxGetPersistedScaleAuthor = _stdcall_libraries['nicaiu'].DAQmxGetPersistedScaleAuthor
DAQmxGetPersistedScaleAuthor.restype = int32
# DAQmxGetPersistedScaleAuthor(scaleName, data, bufferSize)
DAQmxGetPersistedScaleAuthor.argtypes = [STRING, STRING, uInt32]
# NIDAQmx.h 4328
DAQmxGetPersistedScaleAllowInteractiveEditing = _stdcall_libraries['nicaiu'].DAQmxGetPersistedScaleAllowInteractiveEditing
DAQmxGetPersistedScaleAllowInteractiveEditing.restype = int32
# DAQmxGetPersistedScaleAllowInteractiveEditing(scaleName, data)
DAQmxGetPersistedScaleAllowInteractiveEditing.argtypes = [STRING, POINTER(bool32)]
# NIDAQmx.h 4330
DAQmxGetPersistedScaleAllowInteractiveDeletion = _stdcall_libraries['nicaiu'].DAQmxGetPersistedScaleAllowInteractiveDeletion
DAQmxGetPersistedScaleAllowInteractiveDeletion.restype = int32
# DAQmxGetPersistedScaleAllowInteractiveDeletion(scaleName, data)
DAQmxGetPersistedScaleAllowInteractiveDeletion.argtypes = [STRING, POINTER(bool32)]
DAQmxErrorChannelNotReservedForRouting = -200186 # Variable c_int
DAQmx_Val_FullBridgeIII = 10185 # Variable c_int
DAQmx_AI_RTD_C = 4115 # Variable c_int
DAQmx_AI_RTD_A = 4112 # Variable c_int
DAQmxErrorCantSetWatchdogExpirationOnDigInChan = -200651 # Variable c_int
DAQmx_AIConv_MaxRate = 8905 # Variable c_int
DAQmxErrorSampToWritePerChanNotMultipleOfIncr = -200584 # Variable c_int
DAQmx_SwitchDev_NumRows = 6377 # Variable c_int
DAQmxWarningPALTransferOverread = 50411 # Variable c_int
DAQmxErrorWriteNotCompleteBeforeSampClk = -209801 # Variable c_int
DAQmxErrorSpecifiedAttrNotValid = -200233 # Variable c_int
DAQmx_Val_Switch_Topology_2575_2_Wire_95x1_Mux = '2575/2-Wire 95x1 Mux' # Variable STRING
DAQmxErrorPrimingCfgFIFO = -200329 # Variable c_int
DAQmx_Val_Lvl = 10210 # Variable c_int
DAQmxErrorHWUnexpectedlyPoweredOffAndOn = -200194 # Variable c_int
DAQmx_AI_Excit_Val = 6133 # Variable c_int
DAQmx_AI_RTD_B = 4113 # Variable c_int
DAQmxErrorDigitalWaveformExpected = -200094 # Variable c_int
DAQmx_DigEdge_AdvTrig_Edge = 4960 # Variable c_int
DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseRate = 8692 # Variable c_int
DAQmxErrorInadequateResolutionForTimebaseCal = -200721 # Variable c_int
DAQmxErrorRequestedSignalInversionForRoutingNotPossible = -200042 # Variable c_int
DAQmx_Val_Bits = 10109 # Variable c_int
DAQmxErrorInvalidIdentifierFollowingSeparatorInList = -200051 # Variable c_int
DAQmx_CI_SemiPeriod_DigFltr_TimebaseRate = 8732 # Variable c_int
DAQmx_SwitchDev_SettlingTime = 4676 # Variable c_int
DAQmxErrorInvalidAsynOpHandle = -200616 # Variable c_int
DAQmx_CI_SemiPeriod_DigFltr_MinPulseWidth = 8730 # Variable c_int
DAQmxErrorSendAdvCmpltAfterWaitForTrigInScanlist = -200640 # Variable c_int
DAQmxErrorTimebaseCalFailedToConverge = -200722 # Variable c_int
DAQmx_SwitchDev_RelayList = 6108 # Variable c_int
DAQmxErrorSuitableTimebaseNotFoundFrequencyCombo2 = -200745 # Variable c_int
DAQmxErrorInvalidGlobalChan = -200882 # Variable c_int
DAQmxErrorSwitchDifferentTopologyWhenScanning = -200191 # Variable c_int
DAQmxErrorInvalidChanName = -200461 # Variable c_int
DAQmx_Val_LargeRng2Ctr = 10205 # Variable c_int
DAQmxErrorMeasCalAdjustDirectPathOutputImpedance = -200507 # Variable c_int
DAQmxErrorCantAllowConnectDACToGnd = -200669 # Variable c_int
DAQmxErrorPALPhysicalBufferEmpty = -50408 # Variable c_int
DAQmxErrorResourcesInUseForInversionInTask_Routing = -89135 # Variable c_int
DAQmxErrorSampPerChanNotMultOfXferSize = -200837 # Variable c_int
DAQmxErrorHandshakeEventOutputTermNotSupportedGivenTimingType = -200915 # Variable c_int
DAQmxErrorSwitchScanlistTooBig = -200201 # Variable c_int
DAQmxErrorPALTransferTimedOut = -50400 # Variable c_int
DAQmxErrorSensorInvalidCompletionResistance = -200163 # Variable c_int
DAQmx_Val_g = 10186 # Variable c_int
DAQmxErrorPALBadMode = -50006 # Variable c_int
DAQmx_Val_OnBrdMemNotFull = 10242 # Variable c_int
DAQmxErrorNoForwardPolyScaleCoeffs = -200405 # Variable c_int
DAQmxErrorPowerupTristateNotSpecdForEntirePort = -200653 # Variable c_int
DAQmxErrorChannelSizeTooBigForPortReadType = -200466 # Variable c_int
DAQmxErrorSimulationCannotBeDisabledForDevCreatedAsSimulatedDev = -200856 # Variable c_int
DAQmxErrorInvalidAIAttenuation = -200412 # Variable c_int
DAQmxErrorDeviceShutDownDueToHighTemp = -200680 # Variable c_int
DAQmxErrorBufferWithOnDemandSampTiming = -200217 # Variable c_int
DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseSrc = 8726 # Variable c_int
DAQmxErrorChanSizeTooBigForU32PortRead = -200564 # Variable c_int
DAQmx_AI_ChanCal_Desc = 8868 # Variable c_int
DAQmxErrorCantSetPropertyTaskNotRunningCommitted = -200971 # Variable c_int
DAQmx_CO_Pulse_Freq = 4472 # Variable c_int
DAQmxErrorDataNotAvailable = -200005 # Variable c_int
DAQmx_SwitchChan_WireMode = 6373 # Variable c_int
DAQmx_RealTime_WaitForNextSampClkWaitMode = 8943 # Variable c_int
DAQmxWarningPALHardwareFault = 50152 # Variable c_int
DAQmx_Val_RightJustified = 10279 # Variable c_int
DAQmxErrorCouldNotDownloadFirmwareFileMissingOrDamaged = -200961 # Variable c_int
DAQmxErrorCOWritePulseHighTimeOutOfRange = -200686 # Variable c_int
DAQmxErrorWaveformNotInMem = -200312 # Variable c_int
DAQmx_AO_OutputType = 4360 # Variable c_int
DAQmxErrorInterconnectBridgeRouteNotPossible = -54011 # Variable c_int
DAQmx_CI_Timestamp_Units = 8883 # Variable c_int
DAQmxErrorPropertyNotSupportedWhenRefClkSrcNone = -200581 # Variable c_int
DAQmx_Val_HWTimedSinglePoint = 12522 # Variable c_int
DAQmx_AI_Thrmstr_A = 6345 # Variable c_int
DAQmx_AI_Thrmstr_B = 6347 # Variable c_int
DAQmx_AI_Thrmstr_C = 6346 # Variable c_int
DAQmx_Task_NumChans = 8577 # Variable c_int
DAQmxErrorAnalogTrigChanNotFirstInScanList = -200131 # Variable c_int
DAQmx_Exported_HshkEvent_Pulse_Width = 8897 # Variable c_int
DAQmxErrorPALTransferOverwritten = -50410 # Variable c_int
DAQmxErrorInvalidLineGrouping = -200528 # Variable c_int
DAQmx_SampClk_Src = 6226 # Variable c_int
DAQmxErrorSampClkTimebaseDCMLock = -200237 # Variable c_int
DAQmxErrorEveryNSampsEventAlreadyRegistered = -200881 # Variable c_int
DAQmxWarningPALBadPointer = 50004 # Variable c_int
DAQmxErrorNegativeReadSampleNumber = -200277 # Variable c_int
DAQmxErrorCannotReadWhenAutoStartFalseBufSizeZeroAndTaskNotRunning = -200834 # Variable c_int
DAQmx_Val_Position_LVDT = 10352 # Variable c_int
DAQmxErrorChanCalTablePreScaledValsNotSpecd = -200936 # Variable c_int
DAQmx_Val_FullBridgeI = 10183 # Variable c_int
DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseRate = 8722 # Variable c_int
DAQmxWarningPALResourceOwnedBySystem = 50100 # Variable c_int
DAQmxErrorCAPISyncEventsTaskStateChangeNotAllowedFromDifferentThread = -200979 # Variable c_int
DAQmxErrorScriptNotInMem = -200342 # Variable c_int
DAQmxErrorPALHardwareFault = -50152 # Variable c_int
DAQmxErrorPhysChanMeasType = -200431 # Variable c_int
DAQmxWarningPALValueConflict = 50000 # Variable c_int
DAQmxErrorMarkerPositionOutsideSubsetInScript = -200034 # Variable c_int
DAQmx_Val_PulseWidth = 10359 # Variable c_int
DAQmxErrorPLLLock = -200245 # Variable c_int
DAQmx_Val_WaitForHandshakeTriggerAssert = 12550 # Variable c_int
DAQmx_AnlgWin_StartTrig_Top = 5123 # Variable c_int
DAQmxErrorInvalidRefClkSrc = -200415 # Variable c_int
DAQmx_CO_Pulse_Term = 6369 # Variable c_int
DAQmx_DO_DataXferReqCond = 8807 # Variable c_int
DAQmx_CI_Freq_DigFltr_TimebaseRate = 8682 # Variable c_int
DAQmxErrorAcqStoppedToPreventIntermediateBufferOverflow = -200283 # Variable c_int
DAQmxErrorWaitForNextSampClkNotSupported = -200863 # Variable c_int
DAQmxErrorNoAnalogTrigHW = -200214 # Variable c_int
DAQmx_AI_Lowpass_SwitchCap_ExtClkFreq = 6277 # Variable c_int
DAQmxErrorPauseTrigTypeNotSupportedGivenTimingType = -200906 # Variable c_int
DAQmxErrorWriteOffsetNotMultOfIncr = -200630 # Variable c_int
DAQmx_Val_Seconds = 10364 # Variable c_int
DAQmx_PersistedScale_Author = 8916 # Variable c_int
DAQmx_Dev_IsSimulated = 8906 # Variable c_int
DAQmx_Exported_HshkEvent_Delay = 8892 # Variable c_int
DAQmx_AnlgWin_PauseTrig_Coupling = 8759 # Variable c_int
DAQmx_AnlgWin_PauseTrig_Btm = 4981 # Variable c_int
DAQmx_Val_Switch_Topology_2585_1_Wire_10x1_Mux = '2585/1-Wire 10x1 Mux' # Variable STRING
DAQmxErrorPhysChanOutputType = -200432 # Variable c_int
DAQmxWarningSampValCoercedToMin = 200022 # Variable c_int
DAQmxErrorNoReversePolyScaleCoeffs = -200406 # Variable c_int
DAQmxErrorPALComponentAlreadyLoaded = -50260 # Variable c_int
DAQmxErrorPhysChanNotInTask = -200649 # Variable c_int
DAQmxErrorRefClkSrcNotSupported = -200903 # Variable c_int
DAQmxErrorPALComponentInitializationFault = -50258 # Variable c_int
DAQmx_Exported_HshkEvent_OutputBehavior = 8891 # Variable c_int
DAQmx_Val_IRIGB = 10070 # Variable c_int
DAQmx_Val_Position_LinEncoder = 10361 # Variable c_int
DAQmx_CI_Encoder_BInput_DigSync_Enable = 8708 # Variable c_int
DAQmx_Val_LosslessPacking = 12555 # Variable c_int
DAQmxErrorResourcesInUseForRoute = -200369 # Variable c_int
DAQmx_Val_Switch_Topology_1166_32_SPDT = '1166/32-SPDT' # Variable STRING
DAQmxErrorPALTransferInProgress = -50403 # Variable c_int
DAQmx_AI_TermCfg = 4247 # Variable c_int
DAQmxErrorExtCalDateTimeNotDAQmx = -200543 # Variable c_int
DAQmxErrorLineNumIncompatibleWithVideoSignalFormat = -200424 # Variable c_int
DAQmx_SwitchChan_MaxDCVoltage = 1616 # Variable c_int
DAQmxErrorPALDeviceNotFound = -50300 # Variable c_int
DAQmx_AI_EnhancedAliasRejectionEnable = 8852 # Variable c_int
DAQmxErrorMStudioMultiplePhysChansNotSupported = -200792 # Variable c_int
DAQmxErrorADCOverrun = -200019 # Variable c_int
DAQmxErrorCounterTimebaseRateNotFound = -200142 # Variable c_int
DAQmxErrorPALLogicalBufferFull = -50407 # Variable c_int
DAQmx_CO_CtrTimebaseRate = 6338 # Variable c_int
DAQmx_Val_MapRanges = 10448 # Variable c_int
DAQmx_Val_Switch_Topology_2593_Dual_8x1_Mux = '2593/Dual 8x1 Mux' # Variable STRING
DAQmx_CI_Encoder_AInputTerm = 8605 # Variable c_int
DAQmxErrorInputBufSizeTooSmallToStartAcq = -200608 # Variable c_int
DAQmxErrorDelayFromSampClkTooShort = -200336 # Variable c_int
DAQmxErrorExpectedNumberOfChannelsVerificationFailed = -200464 # Variable c_int
DAQmx_AI_MeasType = 1685 # Variable c_int
DAQmx_SwitchDev_AutoConnAnlgBus = 6106 # Variable c_int
DAQmxErrorExternalTimebaseRateNotknownForRate = -200132 # Variable c_int
DAQmx_Val_CO = 10132 # Variable c_int
DAQmxErrorReadChanTypeMismatch = -200525 # Variable c_int
DAQmx_Val_CI = 10131 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_4x64_Matrix = '2532/1-Wire Dual 4x64 Matrix' # Variable STRING
DAQmxErrorPALThreadCouldNotRun = -50600 # Variable c_int
DAQmxErrorIncorrectDigitalPattern = -200102 # Variable c_int
DAQmx_Val_Radians = 10273 # Variable c_int
DAQmxErrorDrivePhaseShiftDCMBecameUnlocked = -200390 # Variable c_int
DAQmxWarningPALLogicalBufferFull = 50407 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_DigFltr_MinPulseWidth = 8750 # Variable c_int
DAQmxErrorTEDSSensorDataError = -200826 # Variable c_int
DAQmx_Val_Switch_Topology_2584_1_Wire_15x1_Mux = '2584/1-Wire 15x1 Mux' # Variable STRING
DAQmxErrorSampleTimebaseDivisorNotSupportedGivenTimingType = -200916 # Variable c_int
DAQmxErrorFewerThan2ScaledValues = -200433 # Variable c_int
DAQmxErrorSwitchOpFailedDueToPrevError = -200674 # Variable c_int
DAQmxErrorResourcesInUseForExportSignalPolarity = -200367 # Variable c_int
DAQmx_CI_CountEdges_Term = 6343 # Variable c_int
DAQmxErrorSampRateTooHigh = -200332 # Variable c_int
DAQmxErrorAnalogTrigChanNotExternal = -200711 # Variable c_int
DAQmxErrorCouldNotReserveRequestedTrigLine = -200225 # Variable c_int
DAQmxErrorTimingSrcDoesNotExist = -200738 # Variable c_int
DAQmx_CI_Encoder_ZIndexEnable = 2192 # Variable c_int
DAQmx_CI_CtrTimebase_DigFltr_TimebaseRate = 8820 # Variable c_int
DAQmx_Val_Switch_Topology_2595_4x1_Mux = '2595/4x1 Mux' # Variable STRING
DAQmx_Val_Switch_Topology_1193_32x1_Mux = '1193/32x1 Mux' # Variable STRING
DAQmx_AO_DataXferReqCond = 6204 # Variable c_int
DAQmxErrorKeywordExpectedInScript = -200027 # Variable c_int
DAQmx_CI_AngEncoder_Units = 6310 # Variable c_int
DAQmxErrorLocalRemoteDriverVersionMismatch_Routing = -88716 # Variable c_int
DAQmx_Val_ProgrammedIO = 10264 # Variable c_int
DAQmxErrorTableScaleScaledValsNotSpecd = -200348 # Variable c_int
DAQmx_DI_InvertLines = 1939 # Variable c_int
DAQmxErrorLinesReservedForSCXIControl = -200159 # Variable c_int
DAQmx_Exported_SampClk_OutputBehavior = 6251 # Variable c_int
DAQmx_Scale_Type = 6441 # Variable c_int
DAQmxErrorMStudioCppRemoveEventsBeforeStop = -200991 # Variable c_int
DAQmxWarningPALTransferStopped = 50404 # Variable c_int
DAQmx_Val_Switch_Topology_2576_2_Wire_Octal_8x1_Mux = '2576/2-Wire Octal 8x1 Mux' # Variable STRING
DAQmx_CO_OutputType = 6325 # Variable c_int
DAQmx_CI_Encoder_BInput_DigFltr_MinPulseWidth = 8705 # Variable c_int
DAQmxErrorTEDSDoesNotContainPROM = -200822 # Variable c_int
DAQmxErrorPALDeviceUnknown = -50301 # Variable c_int
DAQmxErrorInternalAIInputSrcInMultipleChanGroups = -200571 # Variable c_int
DAQmxErrorAcqStoppedToPreventInputBufferOverwrite = -200222 # Variable c_int
DAQmxErrorInvalidAOOffsetCalConst = -200719 # Variable c_int
DAQmxErrorDACUnderflow = -200018 # Variable c_int
DAQmx_CI_CountEdges_DigSync_Enable = 8698 # Variable c_int
DAQmxErrorInvalidRoutingDestinationTerminalName_Routing = -89121 # Variable c_int
DAQmxWarningUserDefinedInfoTooLong = 200025 # Variable c_int
DAQmxErrorDuplicatedChannel = -200003 # Variable c_int
DAQmxErrorTooManyInstructionsInLoopInScript = -201016 # Variable c_int
DAQmx_Val_Pulse = 10265 # Variable c_int
DAQmx_CI_Encoder_BInput_DigFltr_TimebaseSrc = 8706 # Variable c_int
DAQmx_DI_DataXferMech = 8803 # Variable c_int
DAQmx_Read_ReadAllAvailSamp = 4629 # Variable c_int
DAQmxErrorDAQmxCantUseStringDueToUnknownChar = -200811 # Variable c_int
DAQmxErrorOddTotalNumSampsToWrite = -200692 # Variable c_int
DAQmxErrorSampTbRateSampTbSrcMismatch = -200308 # Variable c_int
DAQmxErrorCIHWTimedSinglePointNotSupportedForMeasType = -200998 # Variable c_int
DAQmxErrorPROMOnTEDSContainsBasicTEDSData = -200824 # Variable c_int
DAQmx_DO_NumLines = 8569 # Variable c_int
DAQmx_Val_TEDS_Sensor = 12531 # Variable c_int
DAQmxErrorRecordOverwritten = -200006 # Variable c_int
DAQmxErrorPALFileSeekFault = -50206 # Variable c_int
DAQmx_Val_ALowBHigh = 10042 # Variable c_int
DAQmx_Task_Name = 4726 # Variable c_int
DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseRate = 8747 # Variable c_int
DAQmxErrorWriteFailedMultipleCOOutputTypes = -200829 # Variable c_int
DAQmx_CI_Period_MeasTime = 6445 # Variable c_int
DAQmx_Val_Switch_Topology_1130_2_Wire_128x1_Mux = '1130/2-Wire 128x1 Mux' # Variable STRING
DAQmxErrorTableScalePreScaledValsNotSpecd = -200349 # Variable c_int
DAQmxErrorConnectionInScanlistMustWaitForTrig = -200636 # Variable c_int
DAQmxErrorPALResourceInitialized = -50105 # Variable c_int
DAQmxErrorPALBadToken = -50020 # Variable c_int
DAQmxErrorCannotTristateBusyTerm_Routing = -89127 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_DigFltr_Enable = 8749 # Variable c_int
DAQmxErrorDevInUnidentifiedPXIChassis = -200862 # Variable c_int
DAQmxErrorDDCClkOutDCMBecameUnlocked = -200244 # Variable c_int
DAQmx_Val_External = 10167 # Variable c_int
DAQmxErrorInvalidAttentuationBasedOnMinMax = -200321 # Variable c_int
DAQmxErrorPALThreadStackSizeNotSupported = -50603 # Variable c_int
DAQmxErrorCannotTristateTerm = -200253 # Variable c_int
DAQmxWarningPALResourceReserved = 50103 # Variable c_int
DAQmxWarningDevNotSelfCalibratedWithDAQmx = 200016 # Variable c_int
DAQmx_Val_NoBridge = 10228 # Variable c_int
DAQmx_Scale_Map_ScaledMin = 4656 # Variable c_int
DAQmxErrorSampClkRateAndDivCombo = -200273 # Variable c_int
DAQmx_Val_Switch_Topology_1167_Independent = '1167/Independent' # Variable STRING
DAQmxErrorChanVersionNew = -200469 # Variable c_int
DAQmxWarningPALResourceBusy = 50106 # Variable c_int
FALSE = 0 # Variable c_long
DAQmxErrorCounterInputPauseTriggerAndSampleClockInvalid = -200145 # Variable c_int
DAQmxErrorCannotHaveTimedLoopAndDAQmxSignalEventsInSameTask = -200948 # Variable c_int
DAQmxErrorChansCantAppearInSameTask = -200713 # Variable c_int
DAQmx_Read_CurrReadPos = 4641 # Variable c_int
DAQmx_AI_Bridge_Cfg = 135 # Variable c_int
DAQmxErrorClkDoublerDCMBecameUnlocked = -200242 # Variable c_int
DAQmxError2InputPortCombinationGivenSampTimingType653x = -200929 # Variable c_int
DAQmxErrorDeviceIsNotAValidSwitch = -200069 # Variable c_int
DAQmx_Read_OverWrite = 4625 # Variable c_int
DAQmxErrorNULLPtrForC_Api = -200230 # Variable c_int
DAQmxErrorDLLBecameUnlocked = -200551 # Variable c_int
DAQmxErrorLines0To3ConfiguredForOutput = -200123 # Variable c_int
DAQmx_Val_Switch_Topology_2532_2_Wire_16x16_Matrix = '2532/2-Wire 16x16 Matrix' # Variable STRING
DAQmxErrorStreamDCMBecameUnlocked = -200314 # Variable c_int
DAQmxErrorDifferentRawDataCompression = -200959 # Variable c_int
DAQmx_Val_StartTrigger = 12491 # Variable c_int
DAQmxErrorAOMinMaxNotInGainRange = -200760 # Variable c_int
DAQmx_Val_S_Type_TC = 10085 # Variable c_int
DAQmxErrorMeasCalAdjustDirectPathGain = -200505 # Variable c_int
DAQmxErrorProductOfAOMinAndGainTooSmall = -200271 # Variable c_int
DAQmxErrorChanCalExpirationDateNotSet = -200933 # Variable c_int
DAQmxErrorPALDeviceInitializationFault = -50303 # Variable c_int
DAQmxErrorInvalidOptionForDigitalPortChannel = -200376 # Variable c_int
DAQmx_Val_R_Type_TC = 10082 # Variable c_int
DAQmx_Read_OverloadedChansExist = 8564 # Variable c_int
DAQmxErrorRepeatLoopNestingTooDeepInScript = -200035 # Variable c_int
DAQmxErrorDLLLock = -200550 # Variable c_int
DAQmxErrorOutputCantStartChangedRegenerationMode = -200568 # Variable c_int
DAQmxErrorRecordNotAvailable = -200007 # Variable c_int
DAQmx_Val_ConstVal = 10116 # Variable c_int
DAQmx_Scale_Map_PreScaledMax = 4657 # Variable c_int
DAQmxErrorCantSaveChanWithoutReplace = -200483 # Variable c_int
DAQmxErrorPALBadReadCount = -50011 # Variable c_int
DAQmx_CI_Period_DigFltr_MinPulseWidth = 8685 # Variable c_int
DAQmx_Val_Switch_Topology_1127_Independent = '1127/Independent' # Variable STRING
DAQmxErrorInputBoardClkDCMBecameUnlocked = -200387 # Variable c_int
DAQmx_PersistedScale_AllowInteractiveEditing = 8917 # Variable c_int
DAQmxErrorCannotConnectSrcChans = -200188 # Variable c_int
DAQmx_Val_CurrWritePos = 10430 # Variable c_int
DAQmx_Val_WaitInfinitely = -1.0 # Variable c_double
DAQmxErrorSelfCalTemperatureNotDAQmx = -200542 # Variable c_int
DAQmxErrorChanIndexInvalid = -200606 # Variable c_int
DAQmx_CI_Period_DigFltr_TimebaseRate = 8687 # Variable c_int
DAQmxErrorWatchdogExpirationTristateNotSpecdForEntirePort = -200654 # Variable c_int
DAQmx_AI_ACExcit_WireMode = 6349 # Variable c_int
DAQmxErrorMeasCalAdjustCalADC = -200509 # Variable c_int
DAQmx_Val_EnteringWin = 10163 # Variable c_int
DAQmxErrorStrobePhaseShiftDCMBecameUnlocked = -200391 # Variable c_int
DAQmx_DigLvl_PauseTrig_When = 4992 # Variable c_int
DAQmx_CI_Encoder_BInput_DigFltr_Enable = 8704 # Variable c_int
DAQmx_Val_AIConvertClock = 12484 # Variable c_int
DAQmx_Read_OverloadedChans = 8565 # Variable c_int
DAQmxErrorRouteNotSupportedByHW = -200368 # Variable c_int
DAQmxWarningDeviceMayShutDownDueToHighTemp = 200034 # Variable c_int
DAQmx_SyncPulse_SyncTime = 8766 # Variable c_int
DAQmxErrorActiveChanTooManyLinesSpecdWhenGettingPrpty = -200643 # Variable c_int
DAQmx_ChanIsGlobal = 8964 # Variable c_int
DAQmxErrorWriteFailedBecauseWatchdogExpired = -200678 # Variable c_int
DAQmx_Scale_Lin_Slope = 4647 # Variable c_int
DAQmx_Val_OverwriteUnreadSamps = 10252 # Variable c_int
DAQmxErrorCalTempNotSupported = -200338 # Variable c_int
DAQmxErrorUnsupportedTrigTypeSendsSWTrig = -200373 # Variable c_int
DAQmxErrorInvalidLoopIterationsInScript = -200036 # Variable c_int
DAQmxErrorSelfCalConstsInvalid = -200549 # Variable c_int
DAQmxWarningTimestampCounterRolledOver = 200003 # Variable c_int
DAQmxErrorInversionNotSupportedByHW = -200363 # Variable c_int
DAQmxErrorSCXISerialCommunication = -200015 # Variable c_int
DAQmx_Val_Yield = 12525 # Variable c_int
DAQmxErrorCabledModuleCannotRouteSSH = -200320 # Variable c_int
DAQmx_Val_Switch_Topology_2530_1_Wire_Quad_32x1_Mux = '2530/1-Wire Quad 32x1 Mux' # Variable STRING
DAQmxErrorNoInputOnPortCfgdForWatchdogOutput = -200666 # Variable c_int
DAQmxErrorSampClkTimingTypeWhenTristateIsFalse = -200839 # Variable c_int
DAQmxErrorInvalidSignalTypeExportSignal = -200374 # Variable c_int
DAQmxErrorOneChanReadForMultiChanTask = -200523 # Variable c_int
DAQmxErrorNoAcqStarted = -200286 # Variable c_int
DAQmx_Val_PathStatus_ChannelReservedForRouting = 10436 # Variable c_int
DAQmx_Val_DoNotInvertPolarity = 0 # Variable c_int
DAQmxErrorInvalidSwitchChan = -200181 # Variable c_int
DAQmxErrorSampleValueOutOfRange = -200490 # Variable c_int
DAQmx_Val_Switch_Topology_2530_1_Wire_128x1_Mux = '2530/1-Wire 128x1 Mux' # Variable STRING
DAQmx_Val_Ohms = 10384 # Variable c_int
DAQmxWarningUserDefInfoStringTooLong = 200013 # Variable c_int
DAQmx_Val_Switch_Topology_1128_Independent = '1128/Independent' # Variable STRING
DAQmxErrorMultipleDevIDsPerChassisSpecifiedInList = -200210 # Variable c_int
DAQmxErrorWriteNoOutputChansInTask = -200459 # Variable c_int
DAQmxErrorUnexpectedIDFollowingSwitchChanName = -200532 # Variable c_int
DAQmxErrorBufferedAndDataXferPIO = -200847 # Variable c_int
DAQmx_Val_Pulse_Time = 10269 # Variable c_int
DAQmx_Dev_ProductType = 1585 # Variable c_int
DAQmxErrorTEDSMultipleCalTemplatesNotSupported = -200755 # Variable c_int
DAQmx_SampClk_DigFltr_TimebaseRate = 8737 # Variable c_int
DAQmxErrorDigFilterEnabledMinPulseWidthNotCfg = -200771 # Variable c_int
DAQmx_Val_20MHzTimebase = 12537 # Variable c_int
DAQmx_AI_DataXferMech = 6177 # Variable c_int
DAQmxWarningPALPhysicalBufferFull = 50409 # Variable c_int
DAQmx_Write_NumChans = 8574 # Variable c_int
DAQmx_Val_DC = 10050 # Variable c_int
DAQmx_Val_DI = 10151 # Variable c_int
DAQmx_Val_FromTEDS = 12516 # Variable c_int
DAQmx_CI_CustomScaleName = 6302 # Variable c_int
DAQmx_AI_InputSrc = 8600 # Variable c_int
DAQmx_Val_DO = 10153 # Variable c_int
DAQmxErrorSampRateTooLow = -200331 # Variable c_int
DAQmxErrorPFI0UsedForAnalogAndDigitalSrc = -200330 # Variable c_int
DAQmx_CI_Encoder_DecodingType = 8678 # Variable c_int
DAQmxErrorInvalidTimeoutVal = -200453 # Variable c_int
DAQmxErrorWaitIsLastInstructionOfLoopInScript = -200038 # Variable c_int
DAQmxErrorInvalidNumberInRepeatStatementInList = -200049 # Variable c_int
DAQmxErrorMStudioNoForwardPolyScaleCoeffs = -200783 # Variable c_int
DAQmxErrorValueNotInSet = -54022 # Variable c_int
DAQmx_Val_Switch_Topology_2564_16_SPST = '2564/16-SPST' # Variable STRING
DAQmx_RealTime_WriteRecoveryMode = 8986 # Variable c_int
DAQmxErrorPALPhysicalBufferFull = -50409 # Variable c_int
DAQmxWarningInvalidCalConstValueForAO = 200042 # Variable c_int
DAQmxErrorPropertyNotSupportedNotInputTask = -200457 # Variable c_int
DAQmxWarningInvalidCalConstValueForAI = 200041 # Variable c_int
DAQmxErrorUnexpectedIDFollowingSwitchOpInList = -200529 # Variable c_int
DAQmx_AI_Resolution = 5989 # Variable c_int
DAQmxErrorCannotConnectChansDirectly = -200185 # Variable c_int
DAQmxErrorInvalidChannelNameInList = -200050 # Variable c_int
DAQmx_Val_InvertPolarity = 1 # Variable c_int
DAQmx_CI_Freq_Units = 6305 # Variable c_int
DAQmxErrorInvalidDeviceIDInList = -200207 # Variable c_int
DAQmxErrorIncorrectReadFunction = -200100 # Variable c_int
DAQmxWarningPALBadCount = 50008 # Variable c_int
DAQmxErrorPROMOnTEDSAlreadyWritten = -200823 # Variable c_int
DAQmxErrorIfElseBlockNotAllowedInConditionalRepeatLoopInScript = -201013 # Variable c_int
DAQmxErrorPALThreadAlreadyDead = -50604 # Variable c_int
DAQmx_AI_RTD_Type = 4146 # Variable c_int
DAQmxErrorWfmNameSameAsScriptName = -200634 # Variable c_int
DAQmx_Val_Position_RVDT = 10353 # Variable c_int
DAQmx_Exported_ChangeDetectEvent_OutputTerm = 8599 # Variable c_int
DAQmx_Val_AnlgWin = 10103 # Variable c_int
DAQmx_Val_PatternDoesNotMatch = 10253 # Variable c_int
DAQmxErrorInvalidTEDSPhysChanNotAI = -200969 # Variable c_int
DAQmx_SwitchChan_Usage = 6372 # Variable c_int
DAQmxErrorOperationNotPermittedWhileScanning = -200176 # Variable c_int
DAQmx_Val_AIHoldCmpltEvent = 12493 # Variable c_int
DAQmxErrorAIMinTooLarge = -200577 # Variable c_int
DAQmx_DigPattern_StartTrig_When = 5137 # Variable c_int
DAQmxErrorRoutingHardwareBusy_Routing = -89123 # Variable c_int
DAQmxWarningSampClkRateTooLow = 200027 # Variable c_int
DAQmx_AO_Voltage_Units = 4484 # Variable c_int
DAQmx_Val_Switch_Topology_2530_4_Wire_32x1_Mux = '2530/4-Wire 32x1 Mux' # Variable STRING
DAQmxErrorLabVIEWEmptyTaskOrChans = -200429 # Variable c_int
DAQmxErrorExportTwoSignalsOnSameTerminal = -200607 # Variable c_int
DAQmx_SampClk_Timebase_Src = 4872 # Variable c_int
DAQmxErrorTaskNotInDataNeighborhood = -200485 # Variable c_int
DAQmx_Val_Switch_Topology_2527_4_Wire_16x1_Mux = '2527/4-Wire 16x1 Mux' # Variable STRING
DAQmx_Val_Period = 10256 # Variable c_int
DAQmxErrorCabledModuleNotCapableOfRoutingAI = -200151 # Variable c_int
DAQmx_SampClk_ActiveEdge = 4865 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarInSlot2 = -200700 # Variable c_int
DAQmxErrorNoSyncPulseAnotherTaskRunning = -200761 # Variable c_int
DAQmxErrorMaxSoundPressureMicSensitivitRelatedAIPropertiesNotSupportedByDev = -200861 # Variable c_int
DAQmxErrorInvalidVoltageReadingDuringExtCal = -200446 # Variable c_int
DAQmx_PhysicalChan_TEDS_SerialNum = 8668 # Variable c_int
DAQmxErrorNotEnoughSampsWrittenForInitialXferRqstCondition = -200294 # Variable c_int
DAQmx_Buf_Input_OnbrdBufSize = 8970 # Variable c_int
DAQmx_SwitchDev_NumRelays = 6374 # Variable c_int
DAQmx_CI_Period_StartingEdge = 2130 # Variable c_int
DAQmxErrorResourcesInUseForRouteInTask_Routing = -89138 # Variable c_int
DAQmxErrorPhysicalChannelNotSpecified = -200099 # Variable c_int
DAQmxErrorWriteDataTypeTooSmall = -200790 # Variable c_int
DAQmx_AnlgWin_PauseTrig_Src = 4979 # Variable c_int
DAQmxErrorEmptyStringTermNameNotSupported = -200797 # Variable c_int
DAQmxErrorIfElseBlockNotAllowedInFiniteRepeatLoopInScript = -201014 # Variable c_int
DAQmxErrorWriteWhenTaskNotRunningCOTime = -200874 # Variable c_int
DAQmx_Sys_Scales = 4710 # Variable c_int
DAQmxErrorPALTransferStopped = -50404 # Variable c_int
DAQmx_AnlgLvl_PauseTrig_When = 4977 # Variable c_int
DAQmx_Val_BurstHandshake = 12548 # Variable c_int
DAQmx_CI_Encoder_AInput_DigFltr_MinPulseWidth = 8700 # Variable c_int
DAQmxErrorActionNotSupportedTaskNotWatchdog = -200635 # Variable c_int
DAQmxErrorDevAbsentOrUnavailable_Routing = -89130 # Variable c_int
DAQmx_Read_NumChans = 8571 # Variable c_int
DAQmx_Val_Switch_Topology_1192_8_SPDT = '1192/8-SPDT' # Variable STRING
DAQmx_Val_Software = 10292 # Variable c_int
DAQmx_DigEdge_StartTrig_DigFltr_TimebaseRate = 8742 # Variable c_int
DAQmxErrorCOWriteFreqOutOfRange = -200685 # Variable c_int
DAQmxErrorWriteToTEDSNotSupportedOnRT = -200828 # Variable c_int
DAQmxErrorAutoStartReadNotAllowedEventRegistered = -200984 # Variable c_int
DAQmx_Val_Linear = 10447 # Variable c_int
DAQmxErrorPALBadWriteCount = -50014 # Variable c_int
DAQmxErrorPALComponentNeverLoaded = -50261 # Variable c_int
DAQmx_Val_CurrReadPos = 10425 # Variable c_int
DAQmx_CI_Period_Term = 6308 # Variable c_int
DAQmx_AO_DevScalingCoeff = 6449 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarInSlot16AndAbove_Routing = -89145 # Variable c_int
DAQmx_CI_PulseWidth_DigFltr_TimebaseSrc = 8716 # Variable c_int
DAQmx_AI_Coupling = 100 # Variable c_int
DAQmx_Val_Switch_Topology_2530_2_Wire_Quad_16x1_Mux = '2530/2-Wire Quad 16x1 Mux' # Variable STRING
DAQmx_Val_Switch_Topology_1128_1_Wire_64x1_Mux = '1128/1-Wire 64x1 Mux' # Variable STRING
DAQmxErrorAIMaxNotSpecified = -200695 # Variable c_int
DAQmxWarningPropertyVersionNew = 200024 # Variable c_int
DAQmx_SwitchChan_MaxDCCarryPwr = 1603 # Variable c_int
DAQmxErrorRequestedSignalInversionForRoutingNotPossible_Routing = -89122 # Variable c_int
DAQmxErrorInvalidSubsetLengthBeforeIfElseBlockInScript = -201009 # Variable c_int
DAQmx_AI_Rng_Low = 6166 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_16x16_Matrix = '1129/2-Wire 16x16 Matrix' # Variable STRING
DAQmx_CI_Count = 328 # Variable c_int
DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseSrc = 8721 # Variable c_int
DAQmx_Val_Save_Overwrite = 1 # Variable c_int
DAQmx_Val_USBbulk = 12590 # Variable c_int
DAQmx_AnlgEdge_StartTrig_Slope = 5015 # Variable c_int
DAQmxErrorEveryNSampsAcqIntoBufferNotForOutput = -200964 # Variable c_int
DAQmx_Val_Switch_Topology_1193_Quad_4x1_Terminated_Mux = '1193/Quad 4x1 Terminated Mux' # Variable STRING
DAQmx_Exported_CtrOutEvent_OutputTerm = 5911 # Variable c_int
DAQmx_Exported_SyncPulseEvent_OutputTerm = 8764 # Variable c_int
DAQmxErrorRangeSyntaxNumberTooBig = -200605 # Variable c_int
DAQmx_AI_Excit_VoltageOrCurrent = 6134 # Variable c_int
DAQmx_AI_Lowpass_CutoffFreq = 6147 # Variable c_int
DAQmx_DigEdge_RefTrig_Src = 5172 # Variable c_int
DAQmxErrorCantGetPropertyTaskNotRunning = -200973 # Variable c_int
DAQmx_Hshk_StartCond = 8899 # Variable c_int
DAQmxErrorNoChansOfGivenTypeInTask = -200611 # Variable c_int
DAQmxErrorInvalidIdentifierInListFollowingDeviceID = -200047 # Variable c_int
DAQmx_Val_QuarterBridge = 10270 # Variable c_int
DAQmx_AO_Max = 4486 # Variable c_int
DAQmx_DigLvl_PauseTrig_DigFltr_Enable = 8744 # Variable c_int
DAQmxErrorCalibrationFailed = -200157 # Variable c_int
DAQmxErrorInvalidAOChanOrder = -200219 # Variable c_int
DAQmxErrorInvalidCalLowPassCutoffFreq = -200857 # Variable c_int
DAQmxErrorInvalidGainBasedOnMinMax = -200258 # Variable c_int
DAQmxErrorInvalidAIChanOrder = -200618 # Variable c_int
DAQmx_Val_Switch_Topology_2501_2_Wire_4x6_Matrix = '2501/2-Wire 4x6 Matrix' # Variable STRING
DAQmx_Val_RisingSlope = 10280 # Variable c_int
DAQmxErrorPALComponentCircularDependency = -50259 # Variable c_int
DAQmxErrorDigFilterIntervalNotEqualForLines = -200646 # Variable c_int
DAQmx_DO_InvertLines = 4403 # Variable c_int
DAQmxErrorMultipleActivePhysChansNotSupported = -200752 # Variable c_int
DAQmx_Val_OnBrdMemEmpty = 10235 # Variable c_int
DAQmxWarningCOPrevDAQmxWriteSettingsOverwrittenForHWTimedSinglePoint = 200037 # Variable c_int
DAQmxErrorNoPathToDisconnect = -200182 # Variable c_int
DAQmxErrorEEPROMDataInvalid = -200152 # Variable c_int
DAQmx_Val_Switch_Topology_1191_Quad_4x1_Mux = '1191/Quad 4x1 Mux' # Variable STRING
DAQmx_AO_DAC_Offset_ExtSrc = 8788 # Variable c_int
DAQmx_Val_Temp_RTD = 10301 # Variable c_int
DAQmx_AnlgWin_PauseTrig_When = 4980 # Variable c_int
DAQmxErrorAIMinTooSmall = -200578 # Variable c_int
DAQmx_AIConv_Timebase_Src = 4921 # Variable c_int
DAQmxErrorInvalidWaveformLengthBeforeIfElseBlockInScript = -201008 # Variable c_int
DAQmx_AI_Thrmstr_R1 = 4193 # Variable c_int
DAQmx_Val_ActiveLow = 10096 # Variable c_int
DAQmx_SampQuant_SampPerChan = 4880 # Variable c_int
DAQmx_Val_Task_Abort = 6 # Variable c_int
DAQmxErrorSampClkRateUnavailable = -200660 # Variable c_int
DAQmxErrorInvalidExtClockFreqAndDivCombo = -200379 # Variable c_int
DAQmxErrorFREQOUTCannotProduceDesiredFrequency = -200148 # Variable c_int
DAQmxErrorTooManyEventsGenerated = -200992 # Variable c_int
DAQmx_Val_Switch_Topology_1130_4_Wire_64x1_Mux = '1130/4-Wire 64x1 Mux' # Variable STRING
DAQmxErrorWaitUntilDoneDoesNotIndicateDone = -200560 # Variable c_int
DAQmxErrorTEDSIncompatibleSensorAndMeasType = -200756 # Variable c_int
DAQmx_Val_Switch_Topology_2599_2_SPDT = '2599/2-SPDT' # Variable STRING
DAQmx_RealTime_NumOfWarmupIters = 8941 # Variable c_int
DAQmx_AI_RawDataCompressionType = 8920 # Variable c_int
DAQmx_AI_SoundPressure_Units = 5416 # Variable c_int
DAQmxWarningInputTerminationOverloaded = 200004 # Variable c_int
DAQmx_Val_DegC = 10143 # Variable c_int
DAQmxErrorEmptyPhysChanInPowerUpStatesArray = -200626 # Variable c_int
DAQmx_Val_DegF = 10144 # Variable c_int
DAQmxErrorInvalidTerm = -200254 # Variable c_int
DAQmx_Val_DegR = 10145 # Variable c_int
DAQmx_Val_Internal = 10200 # Variable c_int
DAQmx_CI_TwoEdgeSep_Units = 6316 # Variable c_int
DAQmx_SwitchScan_BreakMode = 4679 # Variable c_int
DAQmxErrorPALDeviceNotSupported = -50302 # Variable c_int
DAQmxErrorPALRetryLimitExceeded = -50412 # Variable c_int
DAQmxErrorDACRngLowNotMinusRefValNorZero = -200449 # Variable c_int
DAQmxErrorMasterTbRateMasterTbSrcMismatch = -200307 # Variable c_int
DAQmx_Write_SpaceAvail = 5216 # Variable c_int
DAQmx_SwitchChan_MaxACSwitchCurrent = 1606 # Variable c_int
DAQmx_Val_Strain_Gage = 10300 # Variable c_int
DAQmxErrorVirtualChanDoesNotExist = -200488 # Variable c_int
DAQmxErrorCannotTristateBusyTerm = -200252 # Variable c_int
DAQmx_Val_Switch_Topology_2530_1_Wire_4x32_Matrix = '2530/1-Wire 4x32 Matrix' # Variable STRING
DAQmxErrorPLLBecameUnlocked = -200246 # Variable c_int
DAQmx_AI_Impedance = 98 # Variable c_int
DAQmx_SwitchDev_SwitchChanList = 6375 # Variable c_int
DAQmx_Val_MostRecentSamp = 10428 # Variable c_int
DAQmxErrorInvalidSampAndMasterTimebaseRateCombo = -200173 # Variable c_int
DAQmxErrorFinitePulseTrainNotPossible = -200305 # Variable c_int
DAQmxWarningADCOverloaded = 200005 # Variable c_int
DAQmxErrorInvalidCalConstCalADCAdjustment = -200520 # Variable c_int
DAQmxErrorInvalidSampRateConsiderRIS = -200420 # Variable c_int
DAQmx_Val_Switch_Topology_2566_16_SPDT = '2566/16-SPDT' # Variable STRING
DAQmx_Val_Switch_Topology_1130_4_Wire_Quad_16x1_Mux = '1130/4-Wire Quad 16x1 Mux' # Variable STRING
DAQmx_ChangeDetect_DI_RisingEdgePhysicalChans = 8597 # Variable c_int
DAQmx_Dev_SerialNum = 1586 # Variable c_int
DAQmx_AnlgEdge_StartTrig_Hyst = 5013 # Variable c_int
DAQmx_Val_AHighBHigh = 10040 # Variable c_int
DAQmxErrorGlobalTaskNameAlreadyChanName = -200919 # Variable c_int
DAQmxErrorClearIsLastInstructionOfLoopInScript = -200037 # Variable c_int
DAQmxErrorConnectionNotPermittedOnChanReservedForRouting = -200189 # Variable c_int
DAQmxErrorZeroBasedChanIndexInvalid = -200612 # Variable c_int
DAQmxWarningPALFirmwareFault = 50151 # Variable c_int
DAQmx_AI_ACExcit_SyncEnable = 258 # Variable c_int
DAQmxErrorChanNotInTask = -200486 # Variable c_int
DAQmxErrorDuplicateDeviceIDInListWhenSettling = -200057 # Variable c_int
DAQmxWarningLowpassFilterSettlingTimeExceedsDriverTimeBetween2ADCConversions = 200039 # Variable c_int
DAQmxErrorSelfCalDateTimeNotDAQmx = -200541 # Variable c_int
DAQmx_Val_Switch_Topology_2530_2_Wire_Dual_32x1_Mux = '2530/2-Wire Dual 32x1 Mux' # Variable STRING
DAQmx_CI_Freq_DigFltr_TimebaseSrc = 8681 # Variable c_int
DAQmxErrorNoSyncPulseExtSampClkTimebase = -200762 # Variable c_int
DAQmxErrorValueOutOfRange = -54021 # Variable c_int
DAQmxErrorDeviceDoesNotSupportDMADataXferForNonBufferedAcq = -200734 # Variable c_int
DAQmxWarningPALTransferNotInProgress = 50402 # Variable c_int
DAQmxErrorBufferWithHWTimedSinglePointSampMode = -200690 # Variable c_int
DAQmxErrorWaveformPreviouslyAllocated = -200310 # Variable c_int
DAQmxErrorAnalogWaveformExpected = -200095 # Variable c_int
DAQmx_DigLvl_PauseTrig_Src = 4985 # Variable c_int
DAQmx_Val_Task_Commit = 3 # Variable c_int
DAQmx_AnlgEdge_StartTrig_Src = 5016 # Variable c_int
DAQmx_AI_ResistanceCfg = 6273 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarInSlot16AndAbove = -200702 # Variable c_int
DAQmxErrorTaskVersionNew = -200470 # Variable c_int
DAQmx_AI_Rng_High = 6165 # Variable c_int
DAQmxErrorPALSyncTimedOut = -50550 # Variable c_int
DAQmxErrorTrigLineNotFoundSingleDevRoute = -200574 # Variable c_int
DAQmxErrorFullySpecifiedPathInListContainsRange = -200060 # Variable c_int
DAQmxWarningValueNotInSet = 54022 # Variable c_int
DAQmx_Val_Switch_Topology_2575_2_Wire_98x1_Mux = '2575/2-Wire 98x1 Mux' # Variable STRING
DAQmx_CI_Freq_StartingEdge = 1945 # Variable c_int
DAQmxErrorPALMemoryFull = -50352 # Variable c_int
DAQmxErrorDSFFailedToResetStream = -200586 # Variable c_int
DAQmxErrorInvalidActionInControlTask = -200538 # Variable c_int
DAQmxErrorMarkerPositionNotAlignedInScript = -200031 # Variable c_int
DAQmx_Val_None = 10230 # Variable c_int
DAQmxErrorDAQmxSignalEventTypeNotSupportedByChanTypesOrDevicesInTask = -200987 # Variable c_int
DAQmxWarningPALBadWriteMode = 50012 # Variable c_int
DAQmxErrorWriteFailedMultipleCtrsWithFREQOUT = -200844 # Variable c_int
DAQmxErrorPortConfiguredForOutput = -200121 # Variable c_int
DAQmxErrorHWTimedSinglePointAndDataXferNotProgIO = -200996 # Variable c_int
DAQmxWarningPALOSFault = 50202 # Variable c_int
DAQmx_Val_ReferenceTrigger = 12490 # Variable c_int
DAQmx_Write_RegenMode = 5203 # Variable c_int
DAQmx_Val_Switch_Topology_2527_2_Wire_32x1_Mux = '2527/2-Wire 32x1 Mux' # Variable STRING
DAQmxErrorInvalidTimingType = -200300 # Variable c_int
DAQmxErrorBufferNameExpectedInScript = -200026 # Variable c_int
DAQmxErrorConfiguredTEDSInterfaceDevNotDetected = -200958 # Variable c_int
DAQmx_AO_ReglitchEnable = 307 # Variable c_int
DAQmx_SwitchDev_Topology = 6461 # Variable c_int
DAQmx_AI_Strain_Units = 2433 # Variable c_int
DAQmx_Val_SameAsSampTimebase = 10284 # Variable c_int
DAQmxErrorNoChansSpecdForChangeDetect = -200751 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedGivenDACRange = -200872 # Variable c_int
DAQmx_SwitchChan_Impedance = 1601 # Variable c_int
DAQmxErrorEventDelayOutOfRange = -200345 # Variable c_int
DAQmxErrorPALResourceBusy = -50106 # Variable c_int
DAQmxErrorChanDoesNotSupportCompression = -200956 # Variable c_int
DAQmxErrorTrigAIMinAIMax = -200422 # Variable c_int
DAQmxErrorCfgTEDSNotSupportedOnRT = -200808 # Variable c_int
DAQmx_Val_Low = 10214 # Variable c_int
DAQmx_Scale_Map_ScaledMax = 4649 # Variable c_int
DAQmx_Val_FirstSample = 10424 # Variable c_int
DAQmxErrorExtSampClkSrcNotSpecified = -200303 # Variable c_int
DAQmxErrorPortConfiguredForInput = -200120 # Variable c_int
DAQmx_DigEdge_RefTrig_Edge = 5168 # Variable c_int
DAQmx_Exported_HshkEvent_OutputTerm = 8890 # Variable c_int
DAQmx_Read_AutoStart = 6182 # Variable c_int
DAQmx_ExtCal_LastTemp = 6247 # Variable c_int
DAQmxErrorPALSoftwareFault = -50150 # Variable c_int
DAQmxErrorInterconnectBridgeRouteReserved = -54012 # Variable c_int
DAQmx_Val_ChanForAllLines = 1 # Variable c_int
DAQmx_Val_HandshakeTriggerAsserts = 12552 # Variable c_int
DAQmxErrorExtSampClkRateTooHighForBackplane = -200274 # Variable c_int
DAQmx_CI_SemiPeriod_Units = 6319 # Variable c_int
DAQmx_Read_RelativeTo = 6410 # Variable c_int
DAQmx_Val_PathStatus_Unsupported = 10433 # Variable c_int
DAQmxErrorAIDuringCounter0DMAConflict = -200078 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_DigSync_Enable = 8753 # Variable c_int
DAQmxWarningPotentialGlitchDuringWrite = 200015 # Variable c_int
DAQmx_CI_PulseWidth_DigFltr_MinPulseWidth = 8715 # Variable c_int
DAQmx_AI_Min = 6110 # Variable c_int
DAQmx_Val_Switch_Topology_2569_100_SPST = '2569/100-SPST' # Variable STRING
DAQmx_AI_RVDT_Units = 2167 # Variable c_int
DAQmx_Val_Current = 10134 # Variable c_int
DAQmxErrorIncompatibleSensorOutputAndDeviceInputRanges = -200357 # Variable c_int
DAQmx_Val_N_Type_TC = 10077 # Variable c_int
DAQmxErrorTermWithoutDevInMultiDevTask = -200853 # Variable c_int
DAQmxErrorNoHWTimingWithOnDemand = -200731 # Variable c_int
DAQmx_SampClk_Rate = 4932 # Variable c_int
DAQmx_Val_Task_Unreserve = 5 # Variable c_int
DAQmxErrorRefTrigOutputTermNotSupportedGivenTimingType = -200912 # Variable c_int
DAQmxErrorExtSampClkRateTooLowForClkIn = -200275 # Variable c_int
DAQmxErrorInvalidReadPosDuringRIS = -200419 # Variable c_int
DAQmxErrorUnexpectedIDFollowingRelayNameInList = -200530 # Variable c_int
DAQmxErrorTEDSNotSupported = -200741 # Variable c_int
DAQmxErrorWriteBufferTooSmall = -200234 # Variable c_int
DAQmxErrorCTROutSampClkPeriodShorterThanGenPulseTrainPeriod = -200993 # Variable c_int
DAQmx_CI_Encoder_ZInput_DigFltr_MinPulseWidth = 8710 # Variable c_int
DAQmxError3InputPortCombinationGivenSampTimingType653x = -200931 # Variable c_int
DAQmxErrorReadNotCompleteBefore3SampClkEdges = -200843 # Variable c_int
DAQmxErrorRefTrigMasterSessionUnavailable = -200682 # Variable c_int
DAQmx_CI_Encoder_AInput_DigFltr_TimebaseSrc = 8701 # Variable c_int
DAQmxErrorSwitchDifferentSettlingTimeWhenScanning = -200178 # Variable c_int
DAQmx_Val_Once = 10244 # Variable c_int
DAQmxErrorRefTrigDigPatternChanNotTristated = -200888 # Variable c_int
DAQmx_AnlgWin_RefTrig_When = 5159 # Variable c_int
DAQmxErrorCanNotPerformOpWhileTaskRunning = -200479 # Variable c_int
DAQmxErrorRangeWithTooManyObjects = -200592 # Variable c_int
DAQmxErrorDevAlreadyInTask = -200481 # Variable c_int
DAQmx_Val_OnbrdMemCustomThreshold = 12577 # Variable c_int
DAQmxErrorInterruptsInsufficientDataXferMech = -200322 # Variable c_int
DAQmx_AI_Thrmcpl_CJCVal = 4150 # Variable c_int
DAQmxErrorCAPIReservedParamNotZero = -200491 # Variable c_int
DAQmx_Val_CounterOutputEvent = 12494 # Variable c_int
DAQmx_Scale_Descr = 4646 # Variable c_int
DAQmx_Val_Switch_Topology_1190_Quad_4x1_Mux = '1190/Quad 4x1 Mux' # Variable STRING
DAQmxErrorSCXI1126ThreshHystCombination = -200223 # Variable c_int
DAQmx_CI_Encoder_AInput_DigFltr_TimebaseRate = 8702 # Variable c_int
DAQmxErrorOutputBoardClkDCMBecameUnlocked = -200388 # Variable c_int
DAQmxErrorMemMapOnlyForProgIOXfer = -200169 # Variable c_int
DAQmxErrorVirtualTEDSDataFileError = -200827 # Variable c_int
DAQmxErrorInvalidRoutingDestinationTerminalName = -200041 # Variable c_int
DAQmx_Val_ClearExpiration = 1 # Variable c_int
DAQmxErrorTrigWindowAIMinAIMaxCombo = -200423 # Variable c_int
DAQmx_AI_Resistance_Units = 2389 # Variable c_int
DAQmx_AI_Thrmcpl_CJCChan = 4148 # Variable c_int
DAQmx_CI_AngEncoder_PulsesPerRev = 2165 # Variable c_int
DAQmx_CI_CountEdges_DigFltr_Enable = 8694 # Variable c_int
DAQmx_Val_Switch_Topology_2503_1_Wire_48x1_Mux = '2503/1-Wire 48x1 Mux' # Variable STRING
DAQmxWarningPALBadThreadMultitask = 50019 # Variable c_int
DAQmx_Write_CurrWritePos = 5208 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarXNotInSlot2 = -200705 # Variable c_int
DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseRate = 8712 # Variable c_int
DAQmx_Val_Rising = 10280 # Variable c_int
DAQmx_Val_2Wire = 2 # Variable c_int
DAQmxErrorDigFilterAndSyncBothEnabled = -200770 # Variable c_int
DAQmxErrorMinAndMaxNotSymmetric = -200266 # Variable c_int
DAQmx_Val_Task_Verify = 2 # Variable c_int
DAQmxErrorCannotWriteNotStartedAutoStartFalseNotOnDemandHWTimedSglPt = -200803 # Variable c_int
DAQmxErrorChanCalTableNumScaledNotEqualNumPrescaledVals = -200938 # Variable c_int
DAQmx_CI_PulseWidth_Units = 2083 # Variable c_int
DAQmxErrorPALFileFault = -50209 # Variable c_int
DAQmxErrorUnableToDetectExtStimulusFreqDuringCal = -200441 # Variable c_int
DAQmxErrorGetPropertyNotInputBufferedTask = -200455 # Variable c_int
DAQmx_AO_DAC_Offset_Val = 8789 # Variable c_int
DAQmx_Val_Switch_Topology_2532_2_Wire_4x64_Matrix = '2532/2-Wire 4x64 Matrix' # Variable STRING
DAQmx_Val_X4 = 10092 # Variable c_int
DAQmx_Val_X1 = 10090 # Variable c_int
DAQmx_Val_X2 = 10091 # Variable c_int
DAQmx_Val_Switch_Topology_1130_2_Wire_Quad_32x1_Mux = '1130/2-Wire Quad 32x1 Mux' # Variable STRING
DAQmxErrorWaitForNextSampClkDetected3OrMoreSampClks = -209803 # Variable c_int
DAQmxErrorPALComponentBusy = -50264 # Variable c_int
DAQmxErrorProgFilterClkCfgdToDifferentMinPulseWidthByAnotherTask1PerDev = -200806 # Variable c_int
DAQmxWarningChanCalExpired = 200043 # Variable c_int
DAQmxErrorLinesUsedForHandshakingInputNotForStaticInput = -200725 # Variable c_int
DAQmxErrorReadNoInputChansInTask = -200460 # Variable c_int
DAQmxErrorEmptyString = -200467 # Variable c_int
DAQmxErrorOpNotSupportedWhenRefClkSrcNone = -200661 # Variable c_int
DAQmxErrorBufferSizeNotMultipleOfEveryNSampsEventIntervalNoIrqOnDev = -200920 # Variable c_int
DAQmxErrorInputFIFOOverflow = -200010 # Variable c_int
DAQmx_CI_LinEncoder_InitialPos = 2325 # Variable c_int
DAQmxErrorSamplesNoLongerAvailable = -200279 # Variable c_int
DAQmx_Val_J_Type_TC = 10072 # Variable c_int
DAQmx_Val_Switch_Topology_1160_16_SPDT = '1160/16-SPDT' # Variable STRING
DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseSrc = 8691 # Variable c_int
DAQmxErrorChanCalExpired = -200934 # Variable c_int
DAQmxWarningAIConvRateTooLow = 200018 # Variable c_int
DAQmx_AI_Microphone_Sensitivity = 5430 # Variable c_int
DAQmxErrorSuitableTimebaseNotFoundTimeCombo2 = -200746 # Variable c_int
DAQmx_CI_TwoEdgeSep_SecondEdge = 2100 # Variable c_int
DAQmx_Val_Temp_TC = 10303 # Variable c_int
DAQmxErrorAttrCannotBeRead = -200232 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_Quad_4x16_Matrix = '1129/2-Wire Quad 4x16 Matrix' # Variable STRING
DAQmxErrorCannotRegisterDAQmxSoftwareEventWhileTaskIsRunning = -200960 # Variable c_int
DAQmxErrorDAQmxSWEventsWithDifferentCallMechanisms = -200978 # Variable c_int
DAQmxErrorRoutingPathNotAvailable = -200044 # Variable c_int
DAQmxErrorCantMaintainExistingValueAOSync = -200793 # Variable c_int
DAQmx_CO_Pulse_Time_Units = 6358 # Variable c_int
DAQmx_AI_ChanCal_ScaleType = 8860 # Variable c_int
DAQmxErrorDevCannotBeAccessed = -201003 # Variable c_int
DAQmx_CO_CtrTimebase_DigFltr_MinPulseWidth = 8823 # Variable c_int
DAQmx_SampClk_Timebase_ActiveEdge = 6380 # Variable c_int
DAQmxErrorMultiDevsInTask = -200558 # Variable c_int
DAQmxErrorCVIFailedToLoadDAQmxDLL = -200397 # Variable c_int
DAQmxErrorInvalidCfgCalAdjustDirectPathOutputImpedance = -200514 # Variable c_int
DAQmxErrorInvalidDateTimeInEEPROM = -200501 # Variable c_int
DAQmx_AI_RTD_R0 = 4144 # Variable c_int
DAQmx_Val_Switch_Topology_2527_Independent = '2527/Independent' # Variable STRING
DAQmxErrorNoDevMemForWaveform = -200315 # Variable c_int
DAQmxErrorCannotSetPropertyWhenHWTimedSinglePointTaskIsRunning = -200994 # Variable c_int
DAQmx_Val_Toggle = 10307 # Variable c_int
DAQmxErrorSamplesNotYetAvailable = -200284 # Variable c_int
DAQmx_AI_Dither_Enable = 104 # Variable c_int
DAQmxWarningPALBadWriteCount = 50014 # Variable c_int
DAQmx_AnlgWin_StartTrig_Btm = 5122 # Variable c_int
DAQmxErrorTimebaseCalFreqVarianceTooLarge = -200723 # Variable c_int
DAQmxErrorPALValueConflict = -50000 # Variable c_int
DAQmxErrorInvalidDigDataWrite = -200562 # Variable c_int
DAQmx_ChangeDetect_DI_FallingEdgePhysicalChans = 8598 # Variable c_int
DAQmxErrorSwitchNotResetBeforeScan = -200199 # Variable c_int
DAQmx_Val_Cont = 10117 # Variable c_int
DAQmx_Scale_Table_ScaledVals = 4662 # Variable c_int
DAQmxErrorScriptNameSameAsWfmName = -200633 # Variable c_int
DAQmxErrorPALBusResetOccurred = -50800 # Variable c_int
DAQmx_CI_Freq_Div = 327 # Variable c_int
DAQmxErrorPropertyUnavailWhenUsingOnboardMemory = -200297 # Variable c_int
DAQmxErrorCppCantRemoveInvalidEventHandler = -200590 # Variable c_int
DAQmxErrorInvalidCalConstOffsetDACValue = -200517 # Variable c_int
DAQmxErrorInputCfgFailedBecauseWatchdogExpired = -200712 # Variable c_int
DAQmxErrorDigInputOverrun = -200715 # Variable c_int
DAQmx_Exported_RefTrig_OutputTerm = 1424 # Variable c_int
DAQmxErrorPALBadCount = -50008 # Variable c_int
DAQmxErrorPALOSInitializationFault = -50201 # Variable c_int
DAQmx_Val_Table = 10450 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarInSlot16AndAbove = -200703 # Variable c_int
DAQmxErrorNoAvailTrigLinesOnDevice = -200227 # Variable c_int
DAQmx_AnlgEdge_RefTrig_Lvl = 5154 # Variable c_int
DAQmxErrorCalFunctionNotSupported = -200445 # Variable c_int
DAQmxErrorMemMapDataXferModeSampTimingCombo = -200260 # Variable c_int
DAQmx_Val_Pt3750 = 12481 # Variable c_int
DAQmxErrorInterpolationRateNotPossible = -200270 # Variable c_int
DAQmx_Exported_AIHoldCmpltEvent_PulsePolarity = 6382 # Variable c_int
DAQmxErrorDuplicateTask = -200089 # Variable c_int
DAQmxErrorReadDataTypeTooSmall = -200789 # Variable c_int
DAQmxErrorAcqStoppedToPreventInputBufferOverwriteOneDataXferMech = -200613 # Variable c_int
DAQmx_Val_Open = 10437 # Variable c_int
DAQmx_DigEdge_StartTrig_DigFltr_MinPulseWidth = 8740 # Variable c_int
DAQmx_Task_Channels = 4723 # Variable c_int
DAQmxErrorPatternMatcherMayBeUsedByOneTrigOnly = -200928 # Variable c_int
DAQmx_Val_Pt3916 = 10069 # Variable c_int
DAQmx_Exported_SampClkTimebase_OutputTerm = 6393 # Variable c_int
DAQmxErrorInvalidAttributeValue = -200077 # Variable c_int
DAQmx_Val_Pt3911 = 12482 # Variable c_int
DAQmxErrorGlobalChanNameAlreadyTaskName = -200918 # Variable c_int
DAQmxErrorInversionNotSupportedByHW_Routing = -89133 # Variable c_int
DAQmx_SwitchDev_PwrDownLatchRelaysAfterSettling = 8923 # Variable c_int
DAQmx_AI_DevScalingCoeff = 6448 # Variable c_int
DAQmx_Read_WaitMode = 8754 # Variable c_int
DAQmx_AI_Excit_DCorAC = 6139 # Variable c_int
DAQmxErrorDigSyncNotAvailableOnTerm = -200773 # Variable c_int
DAQmxWarningLowpassFilterSettlingTimeExceedsUserTimeBetween2ADCConversions = 200038 # Variable c_int
DAQmx_Val_Switch_Topology_1193_Independent = '1193/Independent' # Variable STRING
DAQmx_AIConv_Src = 5378 # Variable c_int
DAQmx_SampTimingType = 4935 # Variable c_int
DAQmxWarningPALDispatcherAlreadyExported = 50500 # Variable c_int
DAQmx_Exported_AdvTrig_OutputTerm = 5701 # Variable c_int
DAQmxWarningPALBadDataSize = 50005 # Variable c_int
DAQmxErrorPALBadWindowType = -50016 # Variable c_int
DAQmxErrorUnsupportedSignalTypeExportSignal = -200375 # Variable c_int
DAQmxErrorCannotWriteNotStartedAutoStartFalseNotOnDemandBufSizeZero = -200802 # Variable c_int
DAQmxErrorTimeoutExceeded = -200221 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarInSlot2 = -200701 # Variable c_int
DAQmxErrorCannotWriteWhenAutoStartFalseAndTaskNotRunningOrCommitted = -200472 # Variable c_int
DAQmxErrorMStudioPropertyGetWhileTaskNotVerified = -200593 # Variable c_int
DAQmxErrorCounterNoTimebaseEdgesBetweenGates = -200140 # Variable c_int
DAQmxErrorHWTimedSinglePointOddNumChansInAITask = -200820 # Variable c_int
DAQmxErrorRangeWithoutAConnectActionInList = -200052 # Variable c_int
DAQmxErrorPALMessageQueueFull = -50108 # Variable c_int
DAQmx_CI_Encoder_BInputTerm = 8606 # Variable c_int
DAQmx_AnlgLvl_PauseTrig_Hyst = 4968 # Variable c_int
DAQmxErrorCOInvalidTimingSrcDueToSignal = -200801 # Variable c_int
DAQmx_AI_Temp_Units = 4147 # Variable c_int
DAQmxErrorChanDoesNotSupportCJC = -200976 # Variable c_int
DAQmxErrorCustomScaleNameUsed = -200356 # Variable c_int
DAQmxErrorTrigLineNotFoundSingleDevRoute_Routing = -89140 # Variable c_int
DAQmx_PhysicalChan_TEDS_BitStream = 8671 # Variable c_int
DAQmx_Val_Voltage_CustomWithExcitation = 10323 # Variable c_int
DAQmxErrorPALMemoryAlignmentFault = -50351 # Variable c_int
DAQmxErrorAttributeNotSupportedInTaskContext = -200452 # Variable c_int
DAQmxErrorInvalidRefClkRate = -200427 # Variable c_int
DAQmxErrorDeviceDoesNotSupportScanning = -200068 # Variable c_int
DAQmxWarningRateViolatesMaxADCRate = 200012 # Variable c_int
DAQmxErrorWhenAcqCompAndNumSampsPerChanExceedsOnBrdBufSize = -200865 # Variable c_int
DAQmx_Val_CountUp = 10128 # Variable c_int
DAQmxErrorPALResourceAmbiguous = -50107 # Variable c_int
DAQmxErrorDCMLock = -200385 # Variable c_int
DAQmxErrorTwoWaitForTrigsAfterConnectionInScanlist = -200638 # Variable c_int
DAQmx_Val_WriteToPROM = 12539 # Variable c_int
DAQmx_CI_Encoder_AInput_DigSync_Enable = 8703 # Variable c_int
DAQmxErrorMeasCalAdjustMainPathPostAmpGainAndOffset = -200504 # Variable c_int
DAQmx_Val_Switch_Topology_1193_Dual_16x1_Mux = '1193/Dual 16x1 Mux' # Variable STRING
DAQmxErrorCannotSelfCalDuringExtCal = -200522 # Variable c_int
DAQmx_CI_CountEdges_CountDir_DigSync_Enable = 8693 # Variable c_int
DAQmx_Exported_RdyForXferEvent_Lvl_ActiveLvl = 8886 # Variable c_int
DAQmxErrorInvalidSampClkSrc = -200414 # Variable c_int
DAQmx_SampClk_Timebase_Rate = 4867 # Variable c_int
DAQmxErrorCtrMinMax = -200527 # Variable c_int
DAQmxErrorInvalidRangeOfObjectsSyntaxInString = -200498 # Variable c_int
DAQmxErrorMultipleWritesBetweenSampClks = -200748 # Variable c_int
DAQmxErrorCannotGetPropertyWhenTaskNotCommittedOrRunning = -200556 # Variable c_int
DAQmxErrorCantSaveNonPortMultiLineDigChanSoInteractiveEditsAllowed = -200921 # Variable c_int
DAQmxErrorCounterOutputPauseTriggerInvalid = -200144 # Variable c_int
DAQmxErrorLinesUsedForStaticInputNotForHandshakingControl = -200728 # Variable c_int
DAQmx_CI_CtrTimebase_DigFltr_Enable = 8817 # Variable c_int
DAQmxErrorDSFReadyForOutputNotAsserted = -200585 # Variable c_int
DAQmxErrorExpectedConnectOperatorInList = -200062 # Variable c_int
DAQmx_SwitchChan_MaxDCCarryCurrent = 1607 # Variable c_int
DAQmxErrorPALBadReadOffset = -50010 # Variable c_int
DAQmx_CI_TwoEdgeSep_First_DigFltr_MinPulseWidth = 8720 # Variable c_int
DAQmxErrorBracketPairingMismatchInList = -200104 # Variable c_int
DAQmxErrorInconsistentChannelDirections = -200011 # Variable c_int
DAQmxErrorExplanationNotFound = -200235 # Variable c_int
DAQmx_Val_MaintainExistingValue = 12528 # Variable c_int
DAQmx_Read_TotalSampPerChanAcquired = 6442 # Variable c_int
DAQmx_SampClk_DigFltr_MinPulseWidth = 8735 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarInSlot2_Routing = -89143 # Variable c_int
DAQmx_CI_TwoEdgeSep_First_DigFltr_Enable = 8719 # Variable c_int
DAQmxWarningPALResourceAmbiguous = 50107 # Variable c_int
DAQmxErrorPALReceiverSocketInvalid = -50503 # Variable c_int
DAQmxErrorNoCommonTrigLineForImmedRoute = -200396 # Variable c_int
DAQmx_SwitchChan_MaxACVoltage = 1617 # Variable c_int
DAQmxErrorPALResourceReserved = -50103 # Variable c_int
DAQmx_AI_Bridge_InitialVoltage = 6125 # Variable c_int
DAQmx_AI_ChanCal_HasValidCalInfo = 8855 # Variable c_int
DAQmxErrorRefTrigTypeNotSupportedGivenTimingType = -200907 # Variable c_int
DAQmx_Val_Transferred_From_Buffer = 2 # Variable c_int
DAQmx_CO_Pulse_Freq_Units = 6357 # Variable c_int
DAQmxErrorWhenAcqCompAndNoRefTrig = -200864 # Variable c_int
DAQmx_Val_Task_Start = 0 # Variable c_int
DAQmxErrorCouldNotDownloadFirmwareHWDamaged = -200962 # Variable c_int
DAQmxErrorWriteNumChansMismatch = -200524 # Variable c_int
DAQmxErrorNoAdvTrigForMultiDevScan = -200323 # Variable c_int
DAQmxErrorTooManyChansForAnalogPauseTrig = -200263 # Variable c_int
DAQmx_AI_TEDS_Units = 8672 # Variable c_int
DAQmx_Sys_DevNames = 6459 # Variable c_int
DAQmxErrorCannotPerformOpWhenTaskNotReserved = -200664 # Variable c_int
DAQmx_Val_Switch_Topology_1175_2_Wire_98x1_Mux = '1175/2-Wire 98x1 Mux' # Variable STRING
DAQmxErrorCannotTristateTerm_Routing = -89128 # Variable c_int
DAQmxErrorHWTimedSinglePointAOAndDataXferNotProgIO = -200769 # Variable c_int
DAQmx_Val_GND = 10066 # Variable c_int
DAQmxErrorInvalidTask = -200088 # Variable c_int
DAQmxErrorNoDivisorForExternalSignal = -200130 # Variable c_int
DAQmx_SwitchChan_MaxDCSwitchCurrent = 1605 # Variable c_int
DAQmx_AO_LoadImpedance = 289 # Variable c_int
DAQmxErrorRepeatedAIPhysicalChan = -200620 # Variable c_int
DAQmx_AnlgWin_RefTrig_Coupling = 6231 # Variable c_int
DAQmxErrorDigInputNotSupported = -200647 # Variable c_int
DAQmxErrorSampClkOutputTermIncludesStartTrigSrc = -200954 # Variable c_int
DAQmx_AI_SoundPressure_MaxSoundPressureLvl = 8762 # Variable c_int
DAQmxErrorCantResetExpiredWatchdog = -200644 # Variable c_int
DAQmxErrorInvalidSyntaxForPhysicalChannelRange = -200086 # Variable c_int
DAQmxErrorNonZeroBufferSizeInProgIOXfer = -200172 # Variable c_int
DAQmxErrorCannotWriteAfterStartWithOnboardMemory = -200295 # Variable c_int
DAQmx_Val_QuarterBridgeII = 10272 # Variable c_int
TRUE = 1 # Variable c_long
DAQmx_AdvTrig_Type = 4965 # Variable c_int
DAQmx_PhysicalChan_TEDS_VersionLetter = 8670 # Variable c_int
DAQmxErrorDataSizeMoreThanSizeOfEEPROMOnTEDS = -200825 # Variable c_int
DAQmx_Val_K_Type_TC = 10073 # Variable c_int
DAQmxErrorTEDSLegacyTemplateIDInvalidOrUnsupported = -200766 # Variable c_int
DAQmx_CI_CountEdges_ActiveEdge = 1687 # Variable c_int
DAQmxErrorRepeatedNumberInScaledValues = -200599 # Variable c_int
DAQmx_Exported_AdvTrig_Pulse_WidthUnits = 5703 # Variable c_int
DAQmxErrorInvalidWaitDurationBeforeIfElseBlockInScript = -201011 # Variable c_int
DAQmx_CI_SemiPeriod_Term = 6320 # Variable c_int
DAQmx_AI_LossyLSBRemoval_CompressedSampSize = 8921 # Variable c_int
DAQmxErrorSuppliedCurrentDataOutsideSpecifiedRange = -200076 # Variable c_int
DAQmxErrorSampPerChanNotMultipleOfIncr = -200344 # Variable c_int
DAQmx_Val_Chan = 10113 # Variable c_int
DAQmxErrorRoutingNotSupportedForDevice = -200039 # Variable c_int
DAQmxErrorCOSampModeSampTimingTypeSampClkConflict = -200778 # Variable c_int
DAQmxErrorCannotWriteWhenAutoStartFalseAndTaskNotRunning = -200846 # Variable c_int
DAQmx_CI_LinEncoder_Units = 6313 # Variable c_int
DAQmx_Val_Switch_Topology_1130_2_Wire_Octal_16x1_Mux = '1130/2-Wire Octal 16x1 Mux' # Variable STRING
DAQmx_Exported_HshkEvent_Interlocked_DeassertDelay = 8895 # Variable c_int
DAQmx_CI_CountEdges_DigFltr_TimebaseSrc = 8696 # Variable c_int
DAQmxErrorLines4To7ConfiguredForOutput = -200125 # Variable c_int
DAQmx_Val_SampleCompleteEvent = 12530 # Variable c_int
DAQmxErrorStrainGageCalibration = -200380 # Variable c_int
DAQmxWarningPALIrrelevantAttribute = 50001 # Variable c_int
DAQmxErrorOperationOnlyPermittedWhileScanning = -200177 # Variable c_int
DAQmx_CI_Prescaler = 8761 # Variable c_int
DAQmxErrorReversePolynomialCoefNotSpecd = -200325 # Variable c_int
DAQmx_Val_OnBrdMemHalfFullOrLess = 10239 # Variable c_int
DAQmxErrorOnDemandNotSupportedWithHWTimedSinglePoint = -200997 # Variable c_int
DAQmxErrorPALLogicalBufferEmpty = -50406 # Variable c_int
DAQmx_AI_Lowpass_SwitchCap_ExtClkDiv = 6278 # Variable c_int
DAQmx_PhysicalChan_TEDS_VersionNum = 8669 # Variable c_int
DAQmxErrorInternalTimebaseSourceRateCombo = -200134 # Variable c_int
DAQmx_Val_E_Type_TC = 10055 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarInSlot2_Routing = -89144 # Variable c_int
DAQmxErrorRepeatedNumberInPreScaledValues = -200598 # Variable c_int
DAQmx_Val_Pt3928 = 12483 # Variable c_int
DAQmx_Val_PathStatus_AlreadyExists = 10432 # Variable c_int
DAQmxErrorWaitModeValueNotSupportedNonBuffered = -200924 # Variable c_int
DAQmx_Val_Pt3920 = 10053 # Variable c_int
DAQmx_Val_Polynomial = 10449 # Variable c_int
DAQmx_Val_Implicit = 10451 # Variable c_int
DAQmx_Val_T_Type_TC = 10086 # Variable c_int
DAQmxErrorCAPICannotRegisterSyncEventsFromMultipleThreads = -200990 # Variable c_int
DAQmxErrorPrptyGetSpecdActiveChanFailedDueToDifftVals = -200657 # Variable c_int
DAQmxErrorZeroSlopeLinearScale = -200409 # Variable c_int
DAQmx_DigLvl_PauseTrig_DigFltr_MinPulseWidth = 8745 # Variable c_int
DAQmxErrorPALMemoryPageLockFailed = -50353 # Variable c_int
DAQmxErrorNoRefTrigConfigured = -200282 # Variable c_int
DAQmxErrorPALThreadControllerIsNotThreadCreator = -50602 # Variable c_int
DAQmxError3OutputPortCombinationGivenSampTimingType653x = -200932 # Variable c_int
DAQmx_CO_Prescaler = 8813 # Variable c_int
DAQmxErrorAIEveryNSampsEventIntervalNotMultipleOf2 = -200970 # Variable c_int
DAQmxErrorReferenceCurrentInvalid = -200154 # Variable c_int
DAQmx_AI_LVDT_Units = 2320 # Variable c_int
DAQmxErrorLines0To3ConfiguredForInput = -200122 # Variable c_int
DAQmx_Val_DMA = 10054 # Variable c_int
DAQmx_DigPattern_RefTrig_When = 5176 # Variable c_int
DAQmxErrorCalChanReversePolyCoefNotSpecd = -200941 # Variable c_int
DAQmxErrorTopologyNotSupportedByCfgTermBlock = -200256 # Variable c_int
DAQmx_Val_Accelerometer = 10356 # Variable c_int
DAQmx_CI_Period_Div = 6446 # Variable c_int
DAQmxWarningPALBadReadMode = 50009 # Variable c_int
DAQmx_DO_DataXferMech = 8806 # Variable c_int
DAQmxErrorPALComponentTooOld = -50252 # Variable c_int
DAQmx_Write_SleepTime = 8882 # Variable c_int
DAQmx_AIConv_TimebaseDiv = 4917 # Variable c_int
DAQmxErrorCOReadyForNewValNotSupportedWithOnDemand = -200999 # Variable c_int
DAQmxErrorRoutingDestTermPXIClk10InNotInSlot2_Routing = -89149 # Variable c_int
DAQmxErrorDevNotInTask = -200482 # Variable c_int
DAQmx_Val_Switch_Topology_2501_1_Wire_48x1_Mux = '2501/1-Wire 48x1 Mux' # Variable STRING
DAQmx_Val_NoChange = 10160 # Variable c_int
DAQmxErrorAIMaxTooLarge = -200579 # Variable c_int
DAQmxErrorPALCalculationOverflow = -50175 # Variable c_int
DAQmx_DigEdge_StartTrig_Src = 5127 # Variable c_int
DAQmx_CI_CtrTimebaseSrc = 323 # Variable c_int
DAQmxErrorDevOnlySupportsSampClkTimingAI = -200757 # Variable c_int
DAQmx_DI_DataXferReqCond = 8804 # Variable c_int
DAQmxErrorPhysicalChanNotSupportedGivenSampTimingType653x = -200897 # Variable c_int
DAQmxErrorDevOnlySupportsSampClkTimingAO = -200758 # Variable c_int
DAQmx_PhysicalChan_TEDS_TemplateIDs = 8847 # Variable c_int
DAQmxErrorInvalidExcitValForScaling = -200318 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarXNotInSlot2_Routing = -89147 # Variable c_int
DAQmxErrorDisconnectionRequiredInScanlist = -200639 # Variable c_int
DAQmxErrorMultiChanTypesInTask = -200559 # Variable c_int
DAQmxErrorResourceAlreadyReserved = -200022 # Variable c_int
DAQmxErrorNumSampsToWaitNotGreaterThanZeroInScript = -200850 # Variable c_int
DAQmxErrorCannotCalculateNumSampsTaskNotStarted = -200343 # Variable c_int
DAQmxErrorMemMapAndHWTimedSinglePoint = -200995 # Variable c_int
DAQmx_DigEdge_StartTrig_DigFltr_Enable = 8739 # Variable c_int
DAQmxErrorSetupCalNeededBeforeAdjustCal = -201005 # Variable c_int
DAQmxWarningPALResourceNotAvailable = 50101 # Variable c_int
DAQmxErrorInvalidIdentifierInListAtEndOfSwitchAction = -200046 # Variable c_int
DAQmxErrorExternalTimebaseRateNotKnownForDelay = -200149 # Variable c_int
DAQmx_CO_CtrTimebase_DigSync_Enable = 8826 # Variable c_int
DAQmx_Val_SoundPressure_Microphone = 10354 # Variable c_int
DAQmx_CI_CountEdges_Dir = 1686 # Variable c_int
DAQmx_CI_CountEdges_InitialCnt = 1688 # Variable c_int
DAQmxErrorProgIODataXferForBufferedAO = -200767 # Variable c_int
DAQmxErrorPALBadLibrarySpecifier = -50018 # Variable c_int
DAQmxErrorCalChanForwardPolyCoefNotSpecd = -200940 # Variable c_int
DAQmxErrorFREQOUTCannotProduceDesiredFrequency2 = -200736 # Variable c_int
DAQmxErrorTooManyPretrigPlusMinPostTrigSamps = -200213 # Variable c_int
DAQmx_Val_PatternMatches = 10254 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_8x32_Matrix = '2532/1-Wire Dual 8x32 Matrix' # Variable STRING
DAQmxErrorDriverDeviceGUIDNotFound_Routing = -88705 # Variable c_int
DAQmxErrorTooManyPostTrigSampsPerChan = -200575 # Variable c_int
DAQmxErrorDigFilterIntervalAlreadyCfgd = -200645 # Variable c_int
DAQmxErrorAIConvRateTooHigh = -200335 # Variable c_int
DAQmx_AI_RawSampSize = 8922 # Variable c_int
DAQmx_AI_Bridge_ShuntCal_Select = 8661 # Variable c_int
DAQmx_Val_ReservedForRouting = 10441 # Variable c_int
DAQmx_AI_AutoZeroMode = 5984 # Variable c_int
DAQmx_Cal_DevTemp = 8763 # Variable c_int
DAQmx_AO_DAC_Rng_Low = 6189 # Variable c_int
DAQmxErrorCppCantRemoveOtherObjectsEventHandler = -200588 # Variable c_int
DAQmxErrorDigPrptyCannotBeSetPerLine = -200641 # Variable c_int
DAQmx_AnlgLvl_PauseTrig_Src = 4976 # Variable c_int
DAQmxErrorStartTrigTypeNotSupportedGivenTimingType = -200904 # Variable c_int
DAQmx_Sys_NIDAQMajorVersion = 4722 # Variable c_int
DAQmxErrorPhysChanDevNotInTask = -200648 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedDACRangeTooSmall = -200873 # Variable c_int
DAQmx_CI_CtrTimebaseRate = 6322 # Variable c_int
DAQmx_Exported_AdvCmpltEvent_Pulse_Width = 5716 # Variable c_int
DAQmx_Exported_AdvTrig_Pulse_Polarity = 5702 # Variable c_int
DAQmxErrorPXIStarAndClock10Sync = -200885 # Variable c_int
DAQmx_Val_SameAsMasterTimebase = 10282 # Variable c_int
DAQmxWarningPALBadSelector = 50003 # Variable c_int
DAQmxErrorCAPIChanIndexInvalid = -200570 # Variable c_int
DAQmx_DI_DigFltr_MinPulseWidth = 8663 # Variable c_int
DAQmx_Read_DigitalLines_BytesPerChan = 8572 # Variable c_int
DAQmx_CO_Pulse_Ticks_InitialDelay = 664 # Variable c_int
DAQmx_SampQuant_SampMode = 4864 # Variable c_int
DAQmxErrorUnexpectedIdentifierInFullySpecifiedPathInList = -200204 # Variable c_int
DAQmxErrorCounterMaxMinRangeTime = -200138 # Variable c_int
DAQmxErrorAOBufferSizeZeroForSampClkTimingType = -200859 # Variable c_int
DAQmxErrorCIInvalidTimingSrcForEventCntDueToSampMode = -200799 # Variable c_int
DAQmxErrorPALSocketListenerInvalid = -50502 # Variable c_int
DAQmxErrorReadyForTransferOutputTermNotSupportedGivenTimingType = -200913 # Variable c_int
DAQmx_Val_WDTExpiredEvent = 12512 # Variable c_int
DAQmxErrorPALCommunicationsFault = -50401 # Variable c_int
DAQmx_AI_ChanCal_Poly_ReverseCoeff = 8864 # Variable c_int
DAQmxErrorUnexpectedSwitchActionInList = -200065 # Variable c_int
DAQmx_CI_DataXferMech = 512 # Variable c_int
DAQmxErrorVirtualTEDSFileNotFound = -200784 # Variable c_int
DAQmx_AI_Thrmcpl_Type = 4176 # Variable c_int
DAQmx_Sys_Tasks = 4711 # Variable c_int
DAQmxErrorStopTriggerHasNotOccurred = -200008 # Variable c_int
DAQmxErrorNonBufferedAOAndDataXferNotProgIO = -200768 # Variable c_int
DAQmx_AI_CurrentShunt_Resistance = 6131 # Variable c_int
DAQmx_Val_Interlocked = 12549 # Variable c_int
DAQmxErrorTermCfgdToDifferentMinPulseWidthByAnotherProperty = -200774 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_16x32_Matrix = '2532/1-Wire 16x32 Matrix' # Variable STRING
DAQmxErrorSamplesNoLongerWriteable = -200289 # Variable c_int
DAQmxErrorMeasCalAdjustOscillatorPhaseDAC = -200521 # Variable c_int
DAQmx_Read_ChangeDetect_HasOverflowed = 8596 # Variable c_int
DAQmx_Val_Switch_Topology_2527_1_Wire_64x1_Mux = '2527/1-Wire 64x1 Mux' # Variable STRING
DAQmxErrorDeviceNameNotFound_Routing = -88717 # Variable c_int
DAQmxErrorDataXferCustomThresholdNotSpecified = -200943 # Variable c_int
DAQmx_CI_TwoEdgeSep_First_DigSync_Enable = 8723 # Variable c_int
DAQmxErrorSelfCalFailedExtNoiseOrRefVoltageOutOfCal = -200545 # Variable c_int
DAQmx_Cal_UserDefinedInfo_MaxSize = 6428 # Variable c_int
DAQmx_Val_Switch_Topology_1127_4_Wire_16x1_Mux = '1127/4-Wire 16x1 Mux' # Variable STRING
DAQmxErrorTrailingSpaceInString = -200554 # Variable c_int
DAQmxErrorDigitalTerminalSpecifiedMoreThanOnce = -200014 # Variable c_int
DAQmx_AI_ChanCal_Verif_AcqVals = 8866 # Variable c_int
DAQmxErrorBufferSizeNotMultipleOfEveryNSampsEventIntervalWhenDMA = -200877 # Variable c_int
DAQmx_AI_DataXferCustomThreshold = 8972 # Variable c_int
DAQmxErrorCanNotPerformOpWhenNoDevInTask = -200477 # Variable c_int
DAQmxWarningPLLUnlocked = 200007 # Variable c_int
DAQmxErrorEveryNSampsTransferredFromBufferNotForInput = -200965 # Variable c_int
DAQmx_Buf_Output_BufSize = 6253 # Variable c_int
DAQmxErrorRefTrigDigPatternChanNotInTask = -200889 # Variable c_int
DAQmx_Val_mVoltsPerVoltPerMilliInch = 12505 # Variable c_int
DAQmx_AI_ChanCal_Poly_ForwardCoeff = 8863 # Variable c_int
DAQmxErrorClearTEDSNotSupportedOnRT = -200809 # Variable c_int
DAQmx_Val_Switch_Topology_1194_Quad_4x1_Mux = '1194/Quad 4x1 Mux' # Variable STRING
DAQmxErrorCOWritePulseHighTicksNotSupported = -200688 # Variable c_int
DAQmx_Val_OpenCollector = 12574 # Variable c_int
DAQmx_CO_CtrTimebaseSrc = 825 # Variable c_int
DAQmxErrorPrptyGetSpecdSingleActiveChanFailedDueToDifftVals = -200659 # Variable c_int
DAQmxErrorInvalidCfgCalAdjustMainPreAmpOffset = -200510 # Variable c_int
DAQmxErrorWriteChanTypeMismatch = -200526 # Variable c_int
DAQmxErrorPALFileCloseFault = -50205 # Variable c_int
DAQmxErrorCantConfigureTEDSForChan = -200791 # Variable c_int
DAQmx_CI_CountEdges_DirTerm = 8673 # Variable c_int
DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseSrc = 8746 # Variable c_int
DAQmx_CI_CtrTimebaseActiveEdge = 322 # Variable c_int
DAQmxWarningSampClkRateViolatesSettlingTimeForGen = 200040 # Variable c_int
DAQmxErrorMeasCalAdjustMainPathPreAmpOffset = -200502 # Variable c_int
DAQmxErrorInvalidRefClkSrcGivenSampClkSrc = -200383 # Variable c_int
DAQmx_AO_DAC_Rng_High = 6190 # Variable c_int
DAQmx_CO_Count = 659 # Variable c_int
DAQmx_DO_UseOnlyOnBrdMem = 8805 # Variable c_int
DAQmx_Val_Switch_Topology_2503_4_Wire_12x1_Mux = '2503/4-Wire 12x1 Mux' # Variable STRING
DAQmxErrorDevOnboardMemOverflowDuringHWTimedNonBufferedGen = -200795 # Variable c_int
DAQmxErrorDigFilterMinPulseWidthSetWhenTristateIsFalse = -200733 # Variable c_int
DAQmxWarningPALResourceNotReserved = 50102 # Variable c_int
DAQmx_PersistedTask_AllowInteractiveEditing = 8909 # Variable c_int
DAQmxErrorPALBadWriteOffset = -50013 # Variable c_int
DAQmxErrorCannotConnectChannelToItself = -200187 # Variable c_int
DAQmxErrorInvalidTriggerLineInList = -200048 # Variable c_int
DAQmx_DO_Tristate = 6387 # Variable c_int
DAQmxErrorSamplesCanNotYetBeWritten = -200292 # Variable c_int
DAQmx_Val_Switch_Topology_1175_2_Wire_95x1_Mux = '1175/2-Wire 95x1 Mux' # Variable STRING
DAQmxErrorSelfTestFailed = -200020 # Variable c_int
DAQmx_SwitchChan_MaxACSwitchPwr = 1604 # Variable c_int
DAQmxErrorCantSyncToExtStimulusFreqDuringCal = -200442 # Variable c_int
DAQmx_SelfCal_LastTemp = 6244 # Variable c_int
DAQmx_MasterTimebase_Src = 4931 # Variable c_int
DAQmx_Exported_WatchdogExpiredEvent_OutputTerm = 8618 # Variable c_int
DAQmx_SwitchChan_MaxACCarryCurrent = 1608 # Variable c_int
DAQmxErrorDevCannotProduceMinPulseWidth = -200777 # Variable c_int
DAQmx_ChanType = 6271 # Variable c_int
DAQmx_CI_CtrTimebase_DigSync_Enable = 8821 # Variable c_int
DAQmxWarningSampValCoercedToMax = 200021 # Variable c_int
DAQmxErrorInvalidTrigCouplingExceptForExtTrigChan = -200548 # Variable c_int
DAQmx_DigEdge_StartTrig_Edge = 5124 # Variable c_int
DAQmxErrorMarkerOutsideWaveformInScript = -200029 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedDACRefValTooSmall = -200868 # Variable c_int
DAQmx_HshkTrig_Type = 8887 # Variable c_int
DAQmx_AI_RVDT_Sensitivity = 2307 # Variable c_int
DAQmx_Val_Switch_Topology_2501_4_Wire_12x1_Mux = '2501/4-Wire 12x1 Mux' # Variable STRING
DAQmxErrorUnexpectedEndOfActionsInList = -200196 # Variable c_int
DAQmxWarningRateViolatesSettlingTime = 200011 # Variable c_int
DAQmxErrorDotNetAPINotUnsigned32BitNumber = -200499 # Variable c_int
DAQmx_DO_OutputDriveType = 4407 # Variable c_int
DAQmxErrorACCouplingNotAllowedWith50OhmImpedance = -200411 # Variable c_int
DAQmxErrorInvalidSignalModifier_Routing = -89150 # Variable c_int
DAQmxErrorPALMemoryConfigurationFault = -50350 # Variable c_int
DAQmxErrorDuplicatePhysicalChansNotSupported = -200072 # Variable c_int
DAQmxErrorCantSavePerLineConfigDigChanSoInteractiveEditsAllowed = -200922 # Variable c_int
DAQmx_AI_Thrmcpl_CJCSrc = 4149 # Variable c_int
DAQmx_AI_ResolutionUnits = 5988 # Variable c_int
DAQmxErrorInvalidJumperedAttr = -200259 # Variable c_int
DAQmxErrorPrptyGetSpecdActiveItemFailedDueToDifftValues = -200708 # Variable c_int
DAQmx_Val_ZeroVolts = 12526 # Variable c_int
DAQmxErrorSuppliedVoltageDataOutsideSpecifiedRange = -200075 # Variable c_int
DAQmxErrorReversePolyOrderNotPositive = -200402 # Variable c_int
DAQmxWarningPALFunctionNotFound = 50255 # Variable c_int
DAQmx_AnlgWin_RefTrig_Top = 5161 # Variable c_int
DAQmxErrorExtMasterTimebaseRateNotSpecified = -200304 # Variable c_int
DAQmxErrorPropertyValNotValidTermName = -200354 # Variable c_int
DAQmx_CI_GPS_SyncMethod = 4242 # Variable c_int
DAQmxErrorCounterTimebaseRateNotSpecified = -200143 # Variable c_int
DAQmxErrorExpectedTerminatorInList = -200063 # Variable c_int
DAQmxErrorInvalidSampModeForPositionMeas = -200813 # Variable c_int
DAQmx_Exported_SampClk_Pulse_Polarity = 5732 # Variable c_int
DAQmx_AI_MemMapEnable = 6284 # Variable c_int
DAQmx_Val_AboveLvl = 10093 # Variable c_int
DAQmxErrorInvalidCalGain = -200749 # Variable c_int
DAQmxWarningWriteNotCompleteBeforeSampClk = 209801 # Variable c_int
DAQmxErrorRoutingDestTermPXIChassisNotIdentified = -200699 # Variable c_int
DAQmxErrorIncorrectPassword = -200110 # Variable c_int
DAQmxErrorGenStoppedToPreventIntermediateBufferRegenOfOldSamples = -200291 # Variable c_int
DAQmxErrorWriteFailsBufferSizeAutoConfigured = -200547 # Variable c_int
DAQmx_AI_StrainGage_Cfg = 2434 # Variable c_int
DAQmx_Exported_CtrOutEvent_Pulse_Polarity = 5912 # Variable c_int
DAQmxErrorResourceNotInPool_Routing = -88708 # Variable c_int
DAQmx_Val_AccelUnit_g = 10186 # Variable c_int
DAQmx_Val_CountEdges = 10125 # Variable c_int
DAQmxErrorNoPatternMatcherAvailable = -200382 # Variable c_int
DAQmx_Val_Switch_Topology_1161_8_SPDT = '1161/8-SPDT' # Variable STRING
DAQmxErrorSwitchChanInUse = -200200 # Variable c_int
DAQmxErrorPALDispatcherAlreadyExported = -50500 # Variable c_int
DAQmx_CI_AngEncoder_InitialAngle = 2177 # Variable c_int
DAQmxErrorChanSizeTooBigForU32PortWrite = -200566 # Variable c_int
DAQmxErrorInvalidAIOffsetCalConst = -200717 # Variable c_int
DAQmx_CI_Encoder_AInput_DigFltr_Enable = 8699 # Variable c_int
DAQmxErrorBuiltInCJCSrcNotSupported = -200576 # Variable c_int
DAQmxErrorSignalEventAlreadyRegistered = -200949 # Variable c_int
DAQmxErrorPALBadDataSize = -50005 # Variable c_int
DAQmx_AnlgEdge_RefTrig_Src = 5156 # Variable c_int
DAQmxWarningReadOffsetCoercion = 200019 # Variable c_int
DAQmx_AI_LVDT_SensitivityUnits = 8602 # Variable c_int
DAQmx_Val_TwoPulseCounting = 10313 # Variable c_int
DAQmxErrorUnableToLocateErrorResources = -200500 # Variable c_int
DAQmxErrorPasswordRequired = -200111 # Variable c_int
DAQmxErrorSensorValTooLow = -200536 # Variable c_int
DAQmx_Val_Freq_Voltage = 10181 # Variable c_int
DAQmx_Val_Voltage = 10322 # Variable c_int
DAQmxErrorStartTrigDigPatternChanNotTristated = -200886 # Variable c_int
DAQmxErrorScaledMinEqualMax = -200603 # Variable c_int
DAQmx_Val_InsideWin = 10199 # Variable c_int
DAQmxErrorWaveformWriteOutOfBounds = -200311 # Variable c_int
DAQmxErrorCannotDetectChangesWhenTristateIsFalse = -200730 # Variable c_int
DAQmx_Val_Switch_Topology_1127_2_Wire_4x8_Matrix = '1127/2-Wire 4x8 Matrix' # Variable STRING
DAQmx_Val_LeavingWin = 10208 # Variable c_int
DAQmxErrorTemperatureOutOfRangeForCalibration = -200113 # Variable c_int
DAQmx_Val_LeftJustified = 10209 # Variable c_int
DAQmx_Val_AnlgEdge = 10099 # Variable c_int
DAQmxErrorCalibrationSessionAlreadyOpen = -200108 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_4x64_Matrix = '1129/2-Wire 4x64 Matrix' # Variable STRING
DAQmx_DelayFromSampClk_DelayUnits = 4868 # Variable c_int
DAQmxErrorPALFunctionObsolete = -50254 # Variable c_int
DAQmx_Val_Switch_Topology_2501_1_Wire_48x1_Amplified_Mux = '2501/1-Wire 48x1 Amplified Mux' # Variable STRING
DAQmxErrorDifftInternalAIInputSrcs = -200677 # Variable c_int
DAQmx_AI_Accel_Units = 1651 # Variable c_int
DAQmxErrorPALMemoryBlockCheckFailed = -50354 # Variable c_int
DAQmxErrorDeviceIDNotSpecifiedInList = -200055 # Variable c_int
DAQmxWarningPossiblyInvalidCTRSampsInFiniteDMAAcq = 200028 # Variable c_int
DAQmx_Val_GroupByChannel = 0 # Variable c_int
DAQmxErrorPropertyValNotSupportedByHW = -200355 # Variable c_int
DAQmxErrorDifferentPrptyValsNotSupportedOnDev = -200629 # Variable c_int
DAQmx_Exported_RdyForXferEvent_OutputTerm = 8885 # Variable c_int
DAQmxErrorDACAllowConnToGndNotSupportedByDevWhenRefSrcExt = -200974 # Variable c_int
DAQmx_Val_GroupByScanNumber = 1 # Variable c_int
DAQmxErrorAnalogMultiSampWriteNotSupported = -200539 # Variable c_int
DAQmx_Val_AdvCmpltEvent = 12492 # Variable c_int
DAQmxErrorScriptHasInvalidCharacter = -200023 # Variable c_int
DAQmx_Val_10MHzRefClock = 12536 # Variable c_int
DAQmxErrorPALSocketListenerAlreadyRegistered = -50501 # Variable c_int
DAQmxErrorChangeDetectionOutputTermNotSupportedGivenTimingType = -200914 # Variable c_int
DAQmxErrorInvalidSubsetLengthWithinLoopInScript = -200249 # Variable c_int
DAQmxErrorSwitchOperationNotSupported = -200193 # Variable c_int
DAQmxWarningPALResourceNotInitialized = 50104 # Variable c_int
DAQmxErrorActivePhysChanNotSpecdWhenGetting1LinePrpty = -200624 # Variable c_int
DAQmxErrorGetPropertyNotOutputBufferedTask = -200454 # Variable c_int
DAQmx_AO_Gain = 280 # Variable c_int
DAQmxErrorDataVoltageLowAndHighIncompatible = -200902 # Variable c_int
DAQmxErrorNoRegenWhenUsingBrdMem = -200656 # Variable c_int
DAQmxError2OutputPortCombinationGivenSampTimingType653x = -200930 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_8x32_Matrix = '1130/1-Wire 8x32 Matrix' # Variable STRING
DAQmxErrorCannotCreateChannelAfterTaskVerified = -200160 # Variable c_int
DAQmx_Val_SampleClock = 12487 # Variable c_int
DAQmxErrorProcedureNameExpectedInScript = -200025 # Variable c_int
DAQmxErrorIncorrectNumChannelsToWrite = -200101 # Variable c_int
DAQmxErrorTrigBusLineNotAvail = -200226 # Variable c_int
DAQmx_AI_Accel_Sensitivity = 1682 # Variable c_int
DAQmxErrorReferenceFrequencyInvalid = -200156 # Variable c_int
DAQmxErrorPrescalerNot1ForInputTerminal = -200841 # Variable c_int
DAQmxErrorTEDSTemplateParametersNotSupported = -200754 # Variable c_int
DAQmxErrorActivePhysChanTooManyLinesSpecdWhenGettingPrpty = -200625 # Variable c_int
DAQmxErrorReversePowerProtectionActivated = -200617 # Variable c_int
DAQmx_Val_Switch_Topology_2593_Independent = '2593/Independent' # Variable STRING
DAQmxErrorParsingTEDSData = -200753 # Variable c_int
DAQmxErrorOnlyFrontEndChanOpsDuringScan = -200377 # Variable c_int
DAQmxErrorMultScanOpsInOneChassis = -200619 # Variable c_int
DAQmxErrorChannelNameGenerationNumberTooBig = -200600 # Variable c_int
DAQmxErrorPreScaledMinEqualMax = -200602 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_4x64_Matrix = '1130/1-Wire 4x64 Matrix' # Variable STRING
DAQmx_PauseTrig_Type = 4966 # Variable c_int
DAQmx_SwitchDev_Settled = 4675 # Variable c_int
DAQmx_AnlgWin_PauseTrig_Top = 4982 # Variable c_int
DAQmx_Val_FiniteSamps = 10178 # Variable c_int
DAQmxErrorPALFeatureDisabled = -50265 # Variable c_int
DAQmx_SyncPulse_MinDelayToStart = 8767 # Variable c_int
DAQmx_DelayFromSampClk_Delay = 4887 # Variable c_int
DAQmxErrorZeroForwardPolyScaleCoeffs = -200407 # Variable c_int
DAQmx_Val_LossyLSBRemoval = 12556 # Variable c_int
DAQmxErrorInvalidAIGainCalConst = -200718 # Variable c_int
DAQmxErrorReadAllAvailableDataWithoutBuffer = -200340 # Variable c_int
DAQmx_Val_Switch_Topology_2598_Dual_Transfer = '2598/Dual Transfer' # Variable STRING
DAQmxErrorInterconnectLineReserved = -54010 # Variable c_int
DAQmxErrorChanCalTableScaledValsNotSpecd = -200937 # Variable c_int
DAQmx_RefClk_Src = 4886 # Variable c_int
DAQmx_Hshk_SampleInputDataWhen = 8900 # Variable c_int
DAQmx_Val_Temp_BuiltInSensor = 10311 # Variable c_int
DAQmx_Val_Diff = 10106 # Variable c_int
DAQmx_ArmStartTrig_Type = 5140 # Variable c_int
DAQmx_Val_AnlgLvl = 10101 # Variable c_int
DAQmx_Val_OnDemand = 10390 # Variable c_int
DAQmx_AI_SampAndHold_Enable = 6170 # Variable c_int
DAQmx_PersistedChan_Author = 8912 # Variable c_int
DAQmxErrorNULLPtr = -200604 # Variable c_int
DAQmxWarningRateViolatesMinADCRate = 200035 # Variable c_int
DAQmx_Exported_StartTrig_OutputTerm = 1412 # Variable c_int
DAQmxErrorInvalidCloseAction = -200440 # Variable c_int
DAQmxErrorInvalidRelayName = -200202 # Variable c_int
DAQmxErrorCannotPerformOpWhenTaskNotRunning = -200475 # Variable c_int
DAQmxErrorChangeDetectionChanNotTristated = -200925 # Variable c_int
DAQmxErrorVirtualChanNameUsed = -200171 # Variable c_int
DAQmx_Val_Switch_Topology_1195_Quad_4x1_Mux = '1195/Quad 4x1 Mux' # Variable STRING
DAQmxErrorFailedToEnableHighSpeedInputClock = -200627 # Variable c_int
DAQmx_AO_IdleOutputBehavior = 8768 # Variable c_int
DAQmx_Val_Volts = 10348 # Variable c_int
DAQmxErrorCantSaveChanWithPolyCalScaleAndAllowInteractiveEdit = -200977 # Variable c_int
DAQmx_WatchdogExpirTrig_Type = 8611 # Variable c_int
DAQmxErrorOnboardMemTooSmall = -200341 # Variable c_int
DAQmxErrorPALBadReadMode = -50009 # Variable c_int
DAQmxErrorRouteSrcAndDestSame = -200326 # Variable c_int
DAQmxErrorInvalidCalVoltageForGivenGain = -200750 # Variable c_int
DAQmxErrorExtCalAdjustExtRefVoltageFailed = -200546 # Variable c_int
DAQmxErrorCantUsePort1AloneGivenSampTimingTypeOn653x = -200899 # Variable c_int
DAQmx_Scale_Map_PreScaledMin = 4658 # Variable c_int
DAQmxErrorSyncNoDevSampClkTimebaseOrSyncPulseInPXISlot2 = -200852 # Variable c_int
DAQmx_Val_Switch_Topology_1128_2_Wire_32x1_Mux = '1128/2-Wire 32x1 Mux' # Variable STRING
DAQmx_Val_5Wire = 5 # Variable c_int
DAQmx_Val_Switch_Topology_1128_4_Wire_16x1_Mux = '1128/4-Wire 16x1 Mux' # Variable STRING
DAQmxErrorInternalSampClkNotRisingEdge = -200890 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_Quad_64x1_Mux = '1130/1-Wire Quad 64x1 Mux' # Variable STRING
DAQmxErrorPALMessageUnderflow = -50651 # Variable c_int
DAQmxErrorPALBusError = -50413 # Variable c_int
DAQmx_Val_AandB = 12515 # Variable c_int
DAQmxErrorInvalidCharInPattern = -200496 # Variable c_int
DAQmxErrorWaveformInScriptNotInMem = -200028 # Variable c_int
DAQmx_AO_DAC_Ref_Val = 6194 # Variable c_int
DAQmxErrorCOWritePulseLowTicksNotSupported = -200689 # Variable c_int
DAQmx_CI_GPS_SyncSrc = 4243 # Variable c_int
DAQmxErrorRepeatedPhysicalChan = -200371 # Variable c_int
DAQmx_CO_CtrTimebase_DigFltr_TimebaseSrc = 8824 # Variable c_int
DAQmx_Watchdog_HasExpired = 8616 # Variable c_int
DAQmxErrorEveryNSamplesAcqIntoBufferEventNotSupportedByDevice = -200981 # Variable c_int
DAQmx_Val_CountDown = 10124 # Variable c_int
DAQmx_Val_Falling = 10171 # Variable c_int
DAQmxErrorChangeDetectionChanNotInTask = -200926 # Variable c_int
DAQmxErrorLabVIEWInvalidTaskOrChans = -200428 # Variable c_int
DAQmx_Hshk_DelayAfterXfer = 8898 # Variable c_int
DAQmx_Val_AI = 10100 # Variable c_int
DAQmx_PersistedChan_AllowInteractiveEditing = 8913 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_8x64_Matrix = '2532/1-Wire 8x64 Matrix' # Variable STRING
DAQmxErrorReferenceResistanceInvalid = -200155 # Variable c_int
DAQmx_Val_Save_AllowInteractiveDeletion = 4 # Variable c_int
DAQmxErrorValueInvalid = -54023 # Variable c_int
DAQmxErrorPALTransferOverread = -50411 # Variable c_int
DAQmx_CO_Pulse_LowTicks = 4465 # Variable c_int
DAQmx_RefTrig_Type = 5145 # Variable c_int
DAQmx_AO_OutputImpedance = 5264 # Variable c_int
DAQmx_CI_LinEncoder_DistPerPulse = 2321 # Variable c_int
DAQmx_Val_Switch_Topology_2565_16_SPST = '2565/16-SPST' # Variable STRING
DAQmx_CO_CtrTimebase_DigFltr_TimebaseRate = 8825 # Variable c_int
DAQmx_Val_AC = 10045 # Variable c_int
DAQmxErrorPALBadWriteMode = -50012 # Variable c_int
DAQmx_Val_WaitForHandshakeTriggerDeassert = 12551 # Variable c_int
DAQmx_PersistedChan_AllowInteractiveDeletion = 8914 # Variable c_int
DAQmx_Val_Hz = 10373 # Variable c_int
DAQmx_Scale_Poly_ForwardCoeff = 4660 # Variable c_int
DAQmx_StartTrig_Delay = 6230 # Variable c_int
DAQmx_AO_Resolution = 6188 # Variable c_int
DAQmx_Val_Amps = 10342 # Variable c_int
DAQmxErrorOddTotalBufferSizeToWrite = -200693 # Variable c_int
DAQmxErrorActionSeparatorRequiredAfterBreakingConnectionInScanlist = -200637 # Variable c_int
DAQmx_Val_B = 12514 # Variable c_int
DAQmx_Val_A = 12513 # Variable c_int
DAQmx_AI_Bridge_ShuntCal_GainAdjust = 6463 # Variable c_int
DAQmx_Val_Switch_Topology_2529_2_Wire_8x16_Matrix = '2529/2-Wire 8x16 Matrix' # Variable STRING
DAQmxErrorInvalidAOGainCalConst = -200720 # Variable c_int
DAQmx_Val_High = 10192 # Variable c_int
DAQmxErrorWriteWhenTaskNotRunningCOTicks = -200876 # Variable c_int
DAQmx_Exported_HshkEvent_Interlocked_AssertedLvl = 8893 # Variable c_int
DAQmx_AI_Excit_UseMultiplexed = 8576 # Variable c_int
DAQmxErrorAOCallWriteBeforeStartForSampClkTimingType = -200858 # Variable c_int
DAQmx_Val_Switch_Topology_1163R_Octal_4x1_Mux = '1163R/Octal 4x1 Mux' # Variable STRING
DAQmxWarningPXIDevTempExceedsMaxOpTemp = 200030 # Variable c_int
DAQmxErrorCouldNotConnectToServer_Routing = -88900 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_4x128_Matrix = '2532/1-Wire 4x128 Matrix' # Variable STRING
DAQmxErrorLeadingSpaceInString = -200553 # Variable c_int
DAQmxErrorInvalidRecordNum = -200410 # Variable c_int
DAQmx_Interlocked_HshkTrig_AssertedLvl = 8889 # Variable c_int
DAQmx_AI_ChanCal_OperatorName = 8867 # Variable c_int
DAQmxErrorUnitsNotFromCustomScale = -200447 # Variable c_int
DAQmx_Val_Task_Stop = 1 # Variable c_int
DAQmx_Val_DigPattern = 10398 # Variable c_int
DAQmxErrorTEDSLinearMappingSlopeZero = -200764 # Variable c_int
DAQmxErrorCtrExportSignalNotPossible = -200359 # Variable c_int
DAQmxErrorSuitableTimebaseNotFoundFrequencyCombo = -200136 # Variable c_int
DAQmxErrorAttrCannotBeSet = -200231 # Variable c_int
DAQmx_SampClk_DigFltr_Enable = 8734 # Variable c_int
DAQmxErrorSubsetOutsideWaveformInScript = -200030 # Variable c_int
DAQmx_Val_BreakBeforeMake = 10110 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseSrc = 8751 # Variable c_int
DAQmx_Val_NRSE = 10078 # Variable c_int
DAQmxErrorNoPolyScaleCoeffs = -200404 # Variable c_int
DAQmx_ExtCal_RecommendedInterval = 6248 # Variable c_int
DAQmxErrorPrescalerNot1ForTimebaseSrc = -200840 # Variable c_int
DAQmx_Val_Switch_Topology_2529_2_Wire_Dual_4x16_Matrix = '2529/2-Wire Dual 4x16 Matrix' # Variable STRING
DAQmx_DI_NumLines = 8568 # Variable c_int
DAQmxErrorChansAlreadyConnected = -200184 # Variable c_int
DAQmxErrorDelayFromStartTrigTooLong = -200334 # Variable c_int
DAQmxErrorInvalidCharInDigPatternString = -200901 # Variable c_int
DAQmx_DigEdge_WatchdogExpirTrig_Edge = 8613 # Variable c_int
DAQmx_CI_CtrTimebase_DigFltr_TimebaseSrc = 8819 # Variable c_int
DAQmx_PhysicalChan_TEDS_MfgID = 8666 # Variable c_int
DAQmx_Buf_Input_BufSize = 6252 # Variable c_int
DAQmx_Val_ContSamps = 10123 # Variable c_int
DAQmx_Val_AHighBLow = 10041 # Variable c_int
DAQmx_CI_Freq_Term = 6306 # Variable c_int
DAQmx_Val_DoNotWrite = 12540 # Variable c_int
DAQmxErrorTooManyChans = -200168 # Variable c_int
DAQmxErrorMultiRecWithRIS = -200416 # Variable c_int
DAQmx_CI_Max = 6300 # Variable c_int
DAQmx_Val_Handshake = 10389 # Variable c_int
DAQmx_Val_Switch_Topology_2591_4x1_Mux = '2591/4x1 Mux' # Variable STRING
DAQmx_Val_FullBridge = 10182 # Variable c_int
DAQmxErrorMoreThanOneActiveChannelSpecified = -200097 # Variable c_int
DAQmxErrorPALTransferAborted = -50405 # Variable c_int
DAQmxErrorChanDuplicatedInPath = -200183 # Variable c_int
DAQmx_CO_Pulse_Time_InitialDelay = 6332 # Variable c_int
DAQmx_Val_Switch_Topology_2593_16x1_Mux = '2593/16x1 Mux' # Variable STRING
DAQmx_Val_Switch_Topology_2594_4x1_Mux = '2594/4x1 Mux' # Variable STRING
DAQmx_Val_Switch_Topology_2570_40_SPDT = '2570/40-SPDT' # Variable STRING
DAQmxErrorTaskCannotBeSavedSoInteractiveEditsAllowed = -200883 # Variable c_int
DAQmxErrorDifferentDITristateValsForChansInTask = -200724 # Variable c_int
DAQmxErrorSensorValTooHigh = -200535 # Variable c_int
DAQmxWarningPALBadWindowType = 50016 # Variable c_int
DAQmx_DigPattern_StartTrig_Src = 5136 # Variable c_int
DAQmxErrorPALComponentImageCorrupt = -50257 # Variable c_int
DAQmxErrorTooManyPhysicalChansInList = -200071 # Variable c_int
DAQmx_CI_PulseWidth_StartingEdge = 2085 # Variable c_int
DAQmxErrorGenerateOrFiniteWaitInstructionExpectedBeforeIfElseBlockInScript = -201007 # Variable c_int
DAQmxErrorBufferAndDataXferMode = -200216 # Variable c_int
DAQmx_Val_Sleep = 12547 # Variable c_int
DAQmxErrorFailedToAcquireCalData = -200697 # Variable c_int
DAQmxErrorInconsistentUnitsSpecified = -200212 # Variable c_int
DAQmxErrorSampClkRateDoesntMatchSampClkSrc = -201002 # Variable c_int
DAQmx_Val_Inches = 10379 # Variable c_int
DAQmxSuccess = 0 # Variable c_int
DAQmxErrorInvalidRoutingSourceTerminalName = -200040 # Variable c_int
DAQmx_Exported_20MHzTimebase_OutputTerm = 5719 # Variable c_int
DAQmx_Val_GPS_Timestamp = 10362 # Variable c_int
DAQmx_AI_ForceReadFromChan = 6392 # Variable c_int
DAQmxErrorGenStoppedToPreventRegenOfOldSamples = -200290 # Variable c_int
DAQmxErrorCannotReadWhenAutoStartFalseOnDemandAndTaskNotRunning = -200832 # Variable c_int
DAQmxErrorInvalidInstallation = -200683 # Variable c_int
DAQmxWarningPALOSUnsupported = 50200 # Variable c_int
DAQmx_CI_Min = 6301 # Variable c_int
DAQmx_AnlgEdge_RefTrig_Coupling = 8757 # Variable c_int
DAQmxErrorInputBufferSizeNotEqualSampsPerChanForFiniteSampMode = -200737 # Variable c_int
DAQmx_AnlgEdge_RefTrig_Hyst = 5153 # Variable c_int
DAQmxErrorEventOutputTermIncludesTrigSrc = -200952 # Variable c_int
DAQmxErrorInvalidSubsetLengthInScript = -200032 # Variable c_int
DAQmxErrorExcitationNotSupportedWhenTermCfgDiff = -200817 # Variable c_int
DAQmx_CI_TwoEdgeSep_Second_DigFltr_Enable = 8724 # Variable c_int
DAQmxErrorChanSizeTooBigForU16PortWrite = -200879 # Variable c_int
DAQmx_Val_FallingSlope = 10171 # Variable c_int
DAQmxErrorInvalidCfgCalAdjustMainPathPostAmpGainAndOffset = -200512 # Variable c_int
DAQmxErrorCouldNotReserveRequestedTrigLine_Routing = -89126 # Variable c_int
DAQmx_Val_ResetTimer = 0 # Variable c_int
DAQmxErrorNoChangeDetectOnNonInputDigLineForDev = -200798 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_Octal_32x1_Mux = '1130/1-Wire Octal 32x1 Mux' # Variable STRING
DAQmx_DI_Tristate = 6288 # Variable c_int
DAQmxErrorPALDiskFull = -50203 # Variable c_int
DAQmxErrorPhysicalChanDoesNotExist = -200170 # Variable c_int
DAQmx_Val_Switch_Topology_2596_Dual_6x1_Mux = '2596/Dual 6x1 Mux' # Variable STRING
DAQmx_AO_ResolutionUnits = 6187 # Variable c_int
DAQmxErrorOutputBufferEmpty = -200462 # Variable c_int
DAQmxErrorTermCfgdToDifferentMinPulseWidthByAnotherTask = -200775 # Variable c_int
DAQmxErrorOutputCantStartChangedBufferSize = -200567 # Variable c_int
DAQmxErrorFunctionNotInLibrary = -200091 # Variable c_int
DAQmxErrorPALFileOpenFault = -50204 # Variable c_int
DAQmxErrorCannotUnregisterDAQmxSoftwareEventWhileTaskIsRunning = -200986 # Variable c_int
DAQmxWarningPALComponentInitializationFault = 50258 # Variable c_int
DAQmxErrorNonbufferedReadMoreThanSampsPerChan = -200655 # Variable c_int
DAQmx_Val_Action_Commit = 0 # Variable c_int
DAQmxErrorInvalidExtTrigImpedance = -200426 # Variable c_int
DAQmxErrorResourcesInUseForRoute_Routing = -89137 # Variable c_int
DAQmx_AI_LVDT_Sensitivity = 2361 # Variable c_int
DAQmx_Val_Pascals = 10081 # Variable c_int
DAQmxErrorStartFailedDueToWriteFailure = -200946 # Variable c_int
DAQmxErrorTooManyChansForAnalogRefTrig = -200264 # Variable c_int
DAQmx_CI_DupCountPrevent = 8620 # Variable c_int
DAQmxWarningAISampRateTooLow = 200017 # Variable c_int
DAQmx_CI_TwoEdgeSep_Second_DigSync_Enable = 8728 # Variable c_int
DAQmxErrorStartTrigConflictWithCOHWTimedSinglePt = -200787 # Variable c_int
DAQmxErrorDigOutputOverrun = -200716 # Variable c_int
DAQmx_RealTime_ConvLateErrorsToWarnings = 8942 # Variable c_int
DAQmx_Val_RSE = 10083 # Variable c_int
DAQmxErrorCAPICannotPerformTaskOperationInAsyncCallback = -200968 # Variable c_int
DAQmxWarningPALFeatureNotSupported = 50256 # Variable c_int
DAQmxErrorCannotHandshakeWhenTristateIsFalse = -200729 # Variable c_int
DAQmxErrorFunctionNotSupportedForDeviceTasks = -200092 # Variable c_int
DAQmxErrorTrigWhenOnDemandSampTiming = -200262 # Variable c_int
DAQmxErrorPALBadAddressSpace = -50017 # Variable c_int
DAQmx_Exported_AIConvClk_OutputTerm = 5767 # Variable c_int
DAQmxErrorDACRngHighNotEqualRefVal = -200448 # Variable c_int
DAQmxErrorCJCChanNotSpecd = -200360 # Variable c_int
DAQmx_Val_Switch_Topology_1130_Independent = '1130/Independent' # Variable STRING
DAQmx_Val_ALowBLow = 10043 # Variable c_int
DAQmx_CO_Pulse_HighTicks = 4457 # Variable c_int
DAQmxErrorPLLNotLocked = -201015 # Variable c_int
DAQmxErrorSCXIModuleNotFound = -200073 # Variable c_int
DAQmx_Val_Switch_Topology_2530_2_Wire_4x16_Matrix = '2530/2-Wire 4x16 Matrix' # Variable STRING
DAQmxErrorReadWaitNextSampClkWaitMismatchOne = -200988 # Variable c_int
DAQmxErrorRoutingHardwareBusy = -200043 # Variable c_int
DAQmxErrorTEDSSensorNotDetected = -200709 # Variable c_int
DAQmxErrorInvalidTimingSrcDueToSampTimingType = -200785 # Variable c_int
DAQmxWarningPALPhysicalBufferEmpty = 50408 # Variable c_int
DAQmxWarningPALSyncAbandoned = 50551 # Variable c_int
DAQmxErrorRefTrigDigPatternSizeDoesNotMatchSourceSize = -200895 # Variable c_int
DAQmx_MasterTimebase_Rate = 5269 # Variable c_int
DAQmxErrorIntExcitSrcNotAvailable = -200161 # Variable c_int
DAQmx_Val_mVoltsPerVoltPerDegree = 12507 # Variable c_int
DAQmx_AI_ChanCal_EnableCal = 8856 # Variable c_int
DAQmx_Read_ChannelsToRead = 6179 # Variable c_int
DAQmx_AI_StrainGage_GageFactor = 2452 # Variable c_int
DAQmx_Val_WriteToEEPROM = 12538 # Variable c_int
DAQmxWarningPALBadOffset = 50007 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseRate = 8752 # Variable c_int
DAQmxErrorInvalidTerm_Routing = -89129 # Variable c_int
DAQmxErrorLinesAlreadyReservedForOutput = -200597 # Variable c_int
DAQmxErrorCantSetPowerupStateOnDigInChan = -200650 # Variable c_int
DAQmx_CI_TwoEdgeSep_FirstTerm = 6317 # Variable c_int
DAQmxErrorMinNotLessThanMax = -200082 # Variable c_int
DAQmx_CI_TwoEdgeSep_Second_DigFltr_MinPulseWidth = 8725 # Variable c_int
DAQmxErrorPALBadOffset = -50007 # Variable c_int
DAQmxErrorInvalidTopology = -200198 # Variable c_int
DAQmxErrorCAPINoExtendedErrorInfoAvailable = -200399 # Variable c_int
DAQmx_Val_Switch_Topology_2593_Dual_4x1_Terminated_Mux = '2593/Dual 4x1 Terminated Mux' # Variable STRING
DAQmxErrorInvalidOutputVoltageAtSampClkRate = -200392 # Variable c_int
DAQmx_Exported_AdvCmpltEvent_OutputTerm = 5713 # Variable c_int
DAQmx_AI_ACExcit_Freq = 257 # Variable c_int
DAQmxWarningSampClkRateAboveDevSpecs = 200036 # Variable c_int
DAQmxErrorMoreThanOneTerminal = -200098 # Variable c_int
DAQmxErrorDuplicateDeviceName_Routing = -88715 # Variable c_int
DAQmxErrorConnectOperatorInvalidAtPointInList = -200066 # Variable c_int
DAQmx_AnlgEdge_StartTrig_Lvl = 5014 # Variable c_int
DAQmxWarningPALResourceInitialized = 50105 # Variable c_int
DAQmxErrorPhysicalChanNotOnThisConnector = -200851 # Variable c_int
DAQmxErrorAttributeInconsistentAcrossRepeatedPhysicalChannels = -200128 # Variable c_int
DAQmxErrorChanSizeTooBigForU8PortWrite = -200565 # Variable c_int
DAQmx_CI_CtrTimebaseMasterTimebaseDiv = 6323 # Variable c_int
DAQmx_Val_20MHzTimebaseClock = 12486 # Variable c_int
DAQmxErrorSampClkRateTooLowForDivDown = -200272 # Variable c_int
DAQmx_AO_DAC_Ref_ExtSrc = 8786 # Variable c_int
DAQmx_Val_3Wire = 3 # Variable c_int
DAQmx_Val_ActiveDrive = 12573 # Variable c_int
DAQmx_Val_Ticks = 10304 # Variable c_int
DAQmxErrorIntegerExpectedInScript = -200247 # Variable c_int
DAQmxErrorCOWritePulseLowTimeOutOfRange = -200687 # Variable c_int
DAQmx_SampClk_Timebase_MasterTimebaseDiv = 4869 # Variable c_int
DAQmxErrorSuitableTimebaseNotFoundTimeCombo = -200137 # Variable c_int
DAQmxErrorCJCChanAlreadyUsed = -200352 # Variable c_int
DAQmxErrorChanAlreadyInTask = -200489 # Variable c_int
DAQmxErrorProgFilterClkCfgdToDifferentMinPulseWidthBySameTask1PerDev = -200807 # Variable c_int
DAQmxErrorPropertyNotSupportedForScaleType = -200601 # Variable c_int
DAQmxWarningPALBadMode = 50006 # Variable c_int
DAQmx_DigEdge_StartTrig_DigFltr_TimebaseSrc = 8741 # Variable c_int
DAQmx_Val_Switch_Topology_2503_2_Wire_Quad_6x1_Mux = '2503/2-Wire Quad 6x1 Mux' # Variable STRING
DAQmxErrorWriteToTEDSFailed = -200836 # Variable c_int
DAQmx_CO_Pulse_LowTime = 6331 # Variable c_int
DAQmxErrorHystTrigLevelAIMax = -200425 # Variable c_int
DAQmx_RefTrig_PretrigSamples = 5189 # Variable c_int
DAQmxErrorPropertyNotSupportedForTimingSrc = -200739 # Variable c_int
DAQmx_Val_Switch_Topology_1193_Dual_8x1_Terminated_Mux = '1193/Dual 8x1 Terminated Mux' # Variable STRING
DAQmxErrorTypeUnknown = -54020 # Variable c_int
DAQmxErrorCounterMaxMinRangeFreq = -200139 # Variable c_int
DAQmx_Val_NoAction = 10227 # Variable c_int
DAQmxErrorTimingSrcTaskStartedBeforeTimedLoop = -200740 # Variable c_int
DAQmx_AnlgLvl_PauseTrig_Lvl = 4969 # Variable c_int
DAQmx_Val_Closed = 10438 # Variable c_int
DAQmxErrorPhysicalChansForChangeDetectionAndPatternMatch653x = -200892 # Variable c_int
DAQmxErrorPowerupStateNotSpecdForEntirePort = -200652 # Variable c_int
DAQmxErrorReadNotCompleteBeforeSampClk = -209800 # Variable c_int
DAQmx_Val_Switch_Topology_1193_16x1_Terminated_Mux = '1193/16x1 Terminated Mux' # Variable STRING
DAQmx_Exported_CtrOutEvent_Toggle_IdleState = 6250 # Variable c_int
DAQmxErrorPolyCoeffsInconsistent = -200537 # Variable c_int
DAQmxErrorOperationTimedOut = -200474 # Variable c_int
DAQmxErrorLoadTaskFailsBecauseNoTimingOnDev = -200494 # Variable c_int
DAQmxErrorHardwareNotResponding = -200175 # Variable c_int
DAQmxErrorSCXIModuleIncorrect = -200107 # Variable c_int
DAQmxErrorSampClkDCMLock = -200239 # Variable c_int
DAQmxErrorPartialUseOfPhysicalLinesWithinPortNotSupported653x = -200898 # Variable c_int
DAQmx_Exported_AdvTrig_Pulse_Width = 5704 # Variable c_int
DAQmx_AI_Bridge_ShuntCal_Enable = 148 # Variable c_int
DAQmxErrorDoneEventAlreadyRegistered = -200950 # Variable c_int
DAQmxErrorPortConfiguredForStaticDigitalOps = -200119 # Variable c_int
DAQmx_StartTrig_Retriggerable = 6415 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_Sixteen_2x16_Matrix = '2532/1-Wire Sixteen 2x16 Matrix' # Variable STRING
DAQmx_Watchdog_Timeout = 8617 # Variable c_int
DAQmxErrorInvalidNumCalADCReadsToAverage = -200515 # Variable c_int
DAQmxWarningPALTransferAborted = 50405 # Variable c_int
DAQmxErrorInvalidRoutingSourceTerminalName_Routing = -89120 # Variable c_int
DAQmxErrorReferenceVoltageInvalid = -200153 # Variable c_int
DAQmxErrorCounterOverflow = -200141 # Variable c_int
DAQmxErrorLinesUsedForHandshakingControlNotForStaticInput = -200727 # Variable c_int
DAQmxErrorEveryNSamplesEventNotSupportedForNonBufferedTasks = -200848 # Variable c_int
DAQmxErrorClearIsLastInstructionInIfElseBlockInScript = -201012 # Variable c_int
DAQmxErrorHandshakeTrigTypeNotSupportedGivenTimingType = -200905 # Variable c_int
DAQmxErrorTEDSMinElecValGEMaxElecVal = -200816 # Variable c_int
DAQmxErrorCannotUpdatePulseGenProperty = -200301 # Variable c_int
DAQmxErrorWaitModePropertyNotSupportedNonBuffered = -200923 # Variable c_int
DAQmx_CI_PulseWidth_DigFltr_Enable = 8714 # Variable c_int
DAQmx_Val_Save_AllowInteractiveEditing = 2 # Variable c_int
DAQmx_Val_WhenAcqComplete = 12546 # Variable c_int
DAQmxErrorInvalidCalConstOscillatorFreqDACValue = -200519 # Variable c_int
DAQmx_Val_mVoltsPerVoltPerMillimeter = 12506 # Variable c_int
DAQmxErrorExternalSampClkAndRefClkThruSameTerm = -200276 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_256x1_Mux = '1130/1-Wire 256x1 Mux' # Variable STRING
DAQmxErrorResourcesInUseForInversion_Routing = -89134 # Variable c_int
DAQmxErrorPALOSFault = -50202 # Variable c_int
DAQmx_CI_CountEdges_CountDir_DigFltr_MinPulseWidth = 8690 # Variable c_int
DAQmxErrorBufferWithWaitMode = -200691 # Variable c_int
DAQmxErrorPALOSUnsupported = -50200 # Variable c_int
DAQmx_Read_AvailSampPerChan = 4643 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_Edge = 5141 # Variable c_int
DAQmx_AI_Excit_Src = 6132 # Variable c_int
DAQmxErrorPALBadPointer = -50004 # Variable c_int
DAQmxErrorMeasCalAdjustMainPathOutputImpedance = -200506 # Variable c_int
DAQmxErrorResourcesInUseForProperty = -200353 # Variable c_int
DAQmxErrorTriggerPolarityConflict = -200206 # Variable c_int
DAQmx_Val_Switch_Topology_2501_2_Wire_Dual_12x1_Mux = '2501/2-Wire Dual 12x1 Mux' # Variable STRING
DAQmxErrorDigFilterEnableSetWhenTristateIsFalse = -200732 # Variable c_int
DAQmxErrorProductOfAOMaxAndGainTooLarge = -200267 # Variable c_int
DAQmxErrorEveryNSampsEventIntervalZeroNotSupported = -200880 # Variable c_int
DAQmxErrorInterconnectBusNotFound = -54002 # Variable c_int
DAQmx_Val_Switch_Topology_2590_4x1_Mux = '2590/4x1 Mux' # Variable STRING
DAQmx_AI_Excit_ActualVal = 6275 # Variable c_int
DAQmxErrorDeviceRemoved = -200045 # Variable c_int
DAQmx_DigPattern_StartTrig_Pattern = 8582 # Variable c_int
DAQmxErrorDSFReadyForStartClock = -200631 # Variable c_int
DAQmx_AI_ChanCal_Table_PreScaledVals = 8861 # Variable c_int
DAQmxWarningPALTransferInProgress = 50403 # Variable c_int
DAQmxErrorEveryNSampsTransferredFromBufferEventNotSupportedByDevice = -200980 # Variable c_int
DAQmx_Val_BelowLvl = 10107 # Variable c_int
DAQmx_Val_FromCustomScale = 10065 # Variable c_int
DAQmxErrorRuntimeAborting_Routing = -88710 # Variable c_int
DAQmxWarningPALComponentAlreadyLoaded = 50260 # Variable c_int
DAQmx_Val_OnBrdMemMoreThanHalfFull = 10237 # Variable c_int
DAQmx_SampClk_DigFltr_TimebaseSrc = 8736 # Variable c_int
DAQmx_Watchdog_DO_ExpirState = 8615 # Variable c_int
DAQmx_Val_Custom = 10137 # Variable c_int
DAQmx_Val_Switch_Topology_2593_8x1_Terminated_Mux = '2593/8x1 Terminated Mux' # Variable STRING
DAQmxErrorSwitchActionInListSpansMultipleDevices = -200053 # Variable c_int
DAQmxErrorMarkerPosInvalidForLoopInScript = -200248 # Variable c_int
DAQmxErrorDataOverwrittenInDeviceMemory = -200004 # Variable c_int
DAQmxErrorInvalidDelaySampRateBelowPhaseShiftDCMThresh = -200381 # Variable c_int
DAQmx_Val_Interrupts = 10204 # Variable c_int
DAQmxErrorSampClkRateExtSampClkTimebaseRateMismatch = -200786 # Variable c_int
DAQmx_AnlgEdge_StartTrig_Coupling = 8755 # Variable c_int
DAQmxErrorOutputBufferSizeNotMultOfXferSize = -200838 # Variable c_int
DAQmxWarningPALBadAddressClass = 50015 # Variable c_int
DAQmxErrorDifftAIInputSrcInOneChanGroup = -200676 # Variable c_int
DAQmx_Val_OnBrdMemNotEmpty = 10241 # Variable c_int
DAQmx_Val_Degrees = 10146 # Variable c_int
DAQmxErrorPALBadThreadMultitask = -50019 # Variable c_int
DAQmxErrorInvalidNumSampsToWrite = -200622 # Variable c_int
DAQmxWarningRISAcqCompletedSomeBinsNotFilled = 200029 # Variable c_int
DAQmx_Cal_UserDefinedInfo = 6241 # Variable c_int
DAQmxErrorCAPISyncCallbackNotSupportedInLVRT = -200942 # Variable c_int
DAQmxErrorExportSignalPolarityNotSupportedByHW = -200364 # Variable c_int
DAQmxErrorWroteMultiSampsUsingSingleSampWrite = -200673 # Variable c_int
DAQmx_AnlgWin_RefTrig_Btm = 5160 # Variable c_int
DAQmxErrorRefAndPauseTrigConfigured = -200628 # Variable c_int
DAQmxErrorOutputFIFOUnderflow2 = -200621 # Variable c_int
DAQmxErrorForwardPolynomialCoefNotSpecd = -200351 # Variable c_int
DAQmx_Val_Switch_Topology_2530_1_Wire_Dual_64x1_Mux = '2530/1-Wire Dual 64x1 Mux' # Variable STRING
DAQmx_Val_Finite = 10172 # Variable c_int
DAQmx_Val_Freq = 10179 # Variable c_int
DAQmxErrorControlLineConflictOnPortC = -200126 # Variable c_int
DAQmx_Val_Switch_Topology_2597_6x1_Terminated_Mux = '2597/6x1 Terminated Mux' # Variable STRING
DAQmxErrorExtCalNotComplete = -200443 # Variable c_int
DAQmxErrorInputFIFOUnderflow = -200017 # Variable c_int
DAQmxErrorEventPulseWidthOutOfRange = -200346 # Variable c_int
DAQmxErrorNoDevMemForScript = -200317 # Variable c_int
DAQmxErrorActiveChannelNotSpecified = -200093 # Variable c_int
DAQmxErrorAttributeNotSettableWhenTaskIsRunning = -200450 # Variable c_int
DAQmxErrorInvalidWaveformLengthWithinLoopInScript = -200250 # Variable c_int
DAQmxErrorCannotStoreCalConst = -200074 # Variable c_int
DAQmxErrorDisconnectPathNotSameAsExistingPath = -200190 # Variable c_int
DAQmxWarningStoppedBeforeDone = 200010 # Variable c_int
DAQmx_CI_Encoder_ZInputTerm = 8607 # Variable c_int
DAQmxErrorMismatchedInputArraySizes = -200672 # Variable c_int
DAQmx_AI_Excit_UseForScaling = 6140 # Variable c_int
DAQmxErrorSampClockOutputTermNotSupportedGivenTimingType = -200910 # Variable c_int
DAQmxErrorCIInvalidTimingSrcForSampClkDueToSampTimingType = -200800 # Variable c_int
DAQmx_SampClk_TimebaseDiv = 6379 # Variable c_int
DAQmxErrorExtRefClkRateNotSpecified = -200735 # Variable c_int
DAQmxErrorAttemptToEnableLineNotPreviouslyDisabled = -200497 # Variable c_int
DAQmx_Val_Switch_Topology_2503_2_Wire_24x1_Mux = '2503/2-Wire 24x1 Mux' # Variable STRING
DAQmxErrorPALVersionMismatch = -50250 # Variable c_int
DAQmxErrorBufferTooSmallForString = -200228 # Variable c_int
DAQmx_Val_ChannelCurrent = 1 # Variable c_int
DAQmx_Val_TwoEdgeSep = 10267 # Variable c_int
DAQmxErrorSampClkDCMBecameUnlocked = -200240 # Variable c_int
DAQmxErrorChannelSizeTooBigForPortWriteType = -200465 # Variable c_int
DAQmx_Val_HalfBridgeI = 10188 # Variable c_int
DAQmxErrorMStudioNoReversePolyScaleCoeffs = -200782 # Variable c_int
DAQmxErrorScanListCannotBeTimed = -200067 # Variable c_int
DAQmxErrorClkOutPhaseShiftDCMBecameUnlocked = -200389 # Variable c_int
DAQmxErrorChanCalRepeatedNumberInPreScaledVals = -200939 # Variable c_int
DAQmx_Val_Switch_Topology_1175_1_Wire_196x1_Mux = '1175/1-Wire 196x1 Mux' # Variable STRING
DAQmxErrorDataXferRequestConditionNotSpecifiedForCustomThreshold = -200944 # Variable c_int
DAQmxErrorCppDotNetAPINegativeBufferSize = -200591 # Variable c_int
DAQmx_PersistedTask_Author = 8908 # Variable c_int
DAQmxWarningOutputGainTooHighForRFFreq = 200032 # Variable c_int
DAQmx_CO_CtrTimebaseActiveEdge = 833 # Variable c_int
DAQmx_Val_MetersPerSecondSquared = 12470 # Variable c_int
DAQmxErrorPALWaitInterrupted = -50700 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_Dual_8x16_Matrix = '1129/2-Wire Dual 8x16 Matrix' # Variable STRING
DAQmxErrorPALFileReadFault = -50207 # Variable c_int
DAQmx_Val_Switch_Topology_2586_10_SPST = '2586/10-SPST' # Variable STRING
DAQmx_Val_Tristate = 10310 # Variable c_int
DAQmx_Val_HighImpedance = 12527 # Variable c_int
DAQmx_Val_BuiltIn = 10200 # Variable c_int
DAQmx_Sys_GlobalChans = 4709 # Variable c_int
DAQmx_AI_Lowpass_SwitchCap_ClkSrc = 6276 # Variable c_int
DAQmxErrorRouteFailedBecauseWatchdogExpired = -200681 # Variable c_int
DAQmxErrorLabVIEWVersionDoesntSupportDAQmxEvents = -201000 # Variable c_int
DAQmxWarningPALBadReadCount = 50011 # Variable c_int
DAQmx_CI_Freq_DigSync_Enable = 8683 # Variable c_int
DAQmxErrorCompressedSampSizeExceedsResolution = -200957 # Variable c_int
DAQmx_Val_LowFreq1Ctr = 10105 # Variable c_int
DAQmxErrorInconsistentAnalogTrigSettings = -200261 # Variable c_int
DAQmx_AI_CurrentShunt_Loc = 6130 # Variable c_int
DAQmxErrorCanNotPerformOpWhenNoChansInTask = -200478 # Variable c_int
DAQmxErrorRefClkRateRefClkSrcMismatch = -200744 # Variable c_int
DAQmx_Val_Switch_Topology_1193_Quad_8x1_Mux = '1193/Quad 8x1 Mux' # Variable STRING
DAQmxErrorPasswordTooLong = -200109 # Variable c_int
DAQmx_Val_DoNotAllowRegen = 10158 # Variable c_int
DAQmx_Val_ActiveHigh = 10095 # Variable c_int
DAQmx_CI_MeasType = 6304 # Variable c_int
DAQmxErrorOffsetTooLarge = -200269 # Variable c_int
DAQmxErrorImmedTrigDuringRISMode = -200418 # Variable c_int
DAQmx_DigEdge_AdvTrig_Src = 4962 # Variable c_int
DAQmx_Read_RawDataWidth = 8570 # Variable c_int
DAQmx_SyncPulse_Src = 8765 # Variable c_int
DAQmxErrorInvalidDTInsideWfmDataType = -200327 # Variable c_int
DAQmxErrorDelayFromSampClkTooLong = -200337 # Variable c_int
DAQmx_AI_Voltage_Units = 4244 # Variable c_int
DAQmxErrorPortReservedForHandshaking = -200118 # Variable c_int
DAQmxErrorCannotReadWhenAutoStartFalseHWTimedSinglePtAndTaskNotRunning = -200833 # Variable c_int
DAQmxErrorAttrCannotBeReset = -200236 # Variable c_int
DAQmxErrorChannelNameNotSpecifiedInList = -200056 # Variable c_int
DAQmxErrorRefTrigWhenContinuous = -200358 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_Dual_128x1_Mux = '1130/1-Wire Dual 128x1 Mux' # Variable STRING
DAQmx_PhysicalChan_TEDS_ModelNum = 8667 # Variable c_int
DAQmxErrorInternalTimebaseSourceDivisorCombo = -200135 # Variable c_int
DAQmxWarningMultipleWritesBetweenSampClks = 200033 # Variable c_int
DAQmxErrorCVIFunctionNotFoundInDAQmxDLL = -200398 # Variable c_int
DAQmx_Val_EverySample = 10164 # Variable c_int
DAQmx_CI_Freq_MeasMeth = 324 # Variable c_int
DAQmx_Val_Switch_Topology_2527_1_Wire_Dual_32x1_Mux = '2527/1-Wire Dual 32x1 Mux' # Variable STRING
DAQmxErrorNoCommonTrigLineForRoute_Routing = -89139 # Variable c_int
DAQmx_Val_Switch_Topology_2501_2_Wire_Quad_6x1_Mux = '2501/2-Wire Quad 6x1 Mux' # Variable STRING
DAQmxErrorCalibrationHandleInvalid = -200112 # Variable c_int
DAQmx_SelfCal_Supported = 6240 # Variable c_int
DAQmxErrorRoutingDestTermPXIStarXNotInSlot2_Routing = -89148 # Variable c_int
DAQmxErrorNonBufferedAndDataXferInterrupts = -200845 # Variable c_int
DAQmx_SwitchScan_WaitingForAdv = 6105 # Variable c_int
DAQmxErrorInputSignalSlowerThanMeasTime = -200302 # Variable c_int
DAQmxErrorMemMapEnabledForHWTimedNonBufferedAO = -200796 # Variable c_int
DAQmx_AO_Min = 4487 # Variable c_int
DAQmxErrorEveryNSampsAcqIntoBufferEventAlreadyRegistered = -200966 # Variable c_int
DAQmx_Val_Switch_Topology_2530_Independent = '2530/Independent' # Variable STRING
DAQmx_AO_CustomScaleName = 4488 # Variable c_int
DAQmx_CI_Period_DigFltr_TimebaseSrc = 8686 # Variable c_int
DAQmxErrorInsufficientOnBoardMemForNumRecsAndSamps = -200413 # Variable c_int
DAQmxErrorPALFeatureNotSupported = -50256 # Variable c_int
DAQmx_PersistedTask_AllowInteractiveDeletion = 8910 # Variable c_int
DAQmxErrorMeasCalAdjustOscillatorFrequency = -200508 # Variable c_int
DAQmx_CO_AutoIncrCnt = 661 # Variable c_int
DAQmxErrorCannotSetPropertyWhenTaskRunning = -200557 # Variable c_int
DAQmx_DigEdge_StartTrig_DigSync_Enable = 8743 # Variable c_int
DAQmx_Val_Resistance = 10278 # Variable c_int
DAQmxErrorDelayFromStartTrigTooShort = -200333 # Variable c_int
DAQmx_AO_DAC_Ref_AllowConnToGnd = 6192 # Variable c_int
DAQmxErrorMeasCalAdjustMainPathPreAmpGain = -200503 # Variable c_int
DAQmx_CI_TwoEdgeSep_SecondTerm = 6318 # Variable c_int
DAQmxErrorInternalTimebaseRateDivisorSourceCombo = -200133 # Variable c_int
DAQmxErrorSCXIDevNotUsablePowerTurnedOff = -200835 # Variable c_int
DAQmx_Val_Auto = -1 # Variable c_int
DAQmxErrorF64PrptyValNotUnsignedInt = -200394 # Variable c_int
DAQmxWarningPALBadWriteOffset = 50013 # Variable c_int
DAQmxErrorOutputBufSizeTooSmallToStartGen = -200609 # Variable c_int
DAQmxErrorResourcesInUseForInversion = -200365 # Variable c_int
DAQmx_AI_ChanCal_Verif_RefVals = 8865 # Variable c_int
DAQmxErrorIdentifierTooLongInScript = -200533 # Variable c_int
DAQmx_Scale_PreScaledUnits = 6391 # Variable c_int
DAQmxErrorCollectionDoesNotMatchChanType = -200569 # Variable c_int
DAQmx_Val_Switch_Topology_2532_2_Wire_8x32_Matrix = '2532/2-Wire 8x32 Matrix' # Variable STRING
DAQmxErrorAIInputBufferSizeNotMultOfXferSize = -200763 # Variable c_int
DAQmx_Val_Source = 10439 # Variable c_int
DAQmxErrorCantUseOnlyOnBoardMemWithProgrammedIO = -200819 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_8x32_Matrix = '1129/2-Wire 8x32 Matrix' # Variable STRING
DAQmx_DigEdge_WatchdogExpirTrig_Src = 8612 # Variable c_int
DAQmx_CI_SemiPeriod_DigSync_Enable = 8733 # Variable c_int
DAQmxErrorCantExceedRelayDriveLimit = -200671 # Variable c_int
DAQmxErrorSwitchOperationChansSpanMultipleDevsInList = -200596 # Variable c_int
DAQmx_AI_DataXferReqCond = 6283 # Variable c_int
DAQmx_Val_Strain = 10299 # Variable c_int
DAQmxErrorDigitalOutputNotSupported = -200012 # Variable c_int
DAQmxErrorFailedToEnableHighSpeedOutput = -200615 # Variable c_int
DAQmxErrorNeedLabVIEW711PatchToUseDAQmxEvents = -200947 # Variable c_int
DAQmxErrorWatchdogTimeoutOutOfRangeAndNotSpecialVal = -200668 # Variable c_int
DAQmx_Scale_Table_PreScaledVals = 4663 # Variable c_int
DAQmxErrorInconsistentExcit = -200257 # Variable c_int
DAQmxErrorConnectionSeparatorAtEndOfList = -200059 # Variable c_int
DAQmxErrorSampClkTbMasterTbDivNotAppropriateForSampTbSrc = -200309 # Variable c_int
DAQmxErrorCOCannotKeepUpInHWTimedSinglePoint = -209805 # Variable c_int
DAQmx_Val_ExtControlled = 10326 # Variable c_int
DAQmx_AO_DAC_Offset_Src = 8787 # Variable c_int
DAQmx_Val_HighFreq2Ctr = 10157 # Variable c_int
DAQmx_Exported_SampClk_OutputTerm = 5731 # Variable c_int
DAQmx_Val_Switch_Topology_2530_2_Wire_64x1_Mux = '2530/2-Wire 64x1 Mux' # Variable STRING
DAQmx_Val_ChangeDetection = 12504 # Variable c_int
DAQmxErrorNumSampsToWaitNotMultipleOfAlignmentQuantumInScript = -200849 # Variable c_int
DAQmxErrorResourcesInUseForRouteInTask = -200370 # Variable c_int
DAQmxErrorSwitchCannotDriveMultipleTrigLines = -200203 # Variable c_int
DAQmx_Val_Switch_Topology_1169_100_SPST = '1169/100-SPST' # Variable STRING
DAQmx_AI_ChanCal_Table_ScaledVals = 8862 # Variable c_int
DAQmx_CO_CtrTimebase_DigFltr_Enable = 8822 # Variable c_int
DAQmx_SwitchDev_NumSwitchChans = 6376 # Variable c_int
DAQmxErrorPALComponentNotUnloadable = -50262 # Variable c_int
DAQmxErrorCannotProduceMinPulseWidthGivenPropertyValues = -200776 # Variable c_int
DAQmxErrorCantUsePort3AloneGivenSampTimingTypeOn653x = -200900 # Variable c_int
DAQmx_CI_Encoder_ZIndexVal = 2184 # Variable c_int
DAQmxErrorNoMemMapWhenHWTimedSinglePoint = -200679 # Variable c_int
DAQmxErrorCtrHWTimedSinglePointAndDataXferNotProgIO = -200842 # Variable c_int
DAQmxWarningPretrigCoercion = 200020 # Variable c_int
DAQmxErrorOutputBufferUnderwrite = -200166 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarInSlot16AndAbove_Routing = -89146 # Variable c_int
DAQmxErrorInvalidAODataWrite = -200561 # Variable c_int
DAQmxErrorInternalAIInputSrcInMultChanGroups = -200675 # Variable c_int
DAQmxWarningWaitForNextSampClkDetectedMissedSampClk = 209802 # Variable c_int
DAQmx_Val_PseudoDiff = 12529 # Variable c_int
DAQmxErrorPowerBudgetExceeded = -200195 # Variable c_int
DAQmxErrorNumLinesMismatchInReadOrWrite = -200463 # Variable c_int
DAQmxErrorWaitForNextSampClkDetectedMissedSampClk = -209802 # Variable c_int
DAQmxErrorTableScaleNumPreScaledAndScaledValsNotEqual = -200350 # Variable c_int
DAQmxErrorSimultaneousAOWhenNotOnDemandTiming = -200831 # Variable c_int
DAQmxErrorCanExportOnlyDigEdgeTrigs = -200896 # Variable c_int
DAQmx_Val_VoltsPerG = 12510 # Variable c_int
DAQmx_Val_SemiPeriod = 10289 # Variable c_int
DAQmx_Write_TotalSampPerChanGenerated = 6443 # Variable c_int
DAQmx_Val_PathStatus_ChannelInUse = 10434 # Variable c_int
DAQmxErrorSamplesWillNeverBeGenerated = -200288 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedGivenDACRangeAndOffsetVal = -200871 # Variable c_int
DAQmx_Val_PathStatus_Available = 10431 # Variable c_int
DAQmxErrorVoltageExcitIncompatibleWith2WireCfg = -200162 # Variable c_int
DAQmx_Exported_HshkEvent_Interlocked_AssertOnStart = 8894 # Variable c_int
DAQmx_AI_RawSampJustification = 80 # Variable c_int
DAQmxErrorLeadingUnderscoreInString = -200555 # Variable c_int
DAQmx_Val_mVoltsPerVoltPerRadian = 12508 # Variable c_int
DAQmxErrorNegativeWriteSampleNumber = -200287 # Variable c_int
DAQmxErrorDataXferCustomThresholdNotDMAXferMethodSpecifiedForDev = -200945 # Variable c_int
DAQmxErrorChangeDetectionRisingAndFallingEdgeChanDontMatch = -200893 # Variable c_int
DAQmx_SampClk_MaxRate = 8904 # Variable c_int
DAQmx_Val_Switch_Topology_2501_2_Wire_24x1_Amplified_Mux = '2501/2-Wire 24x1 Amplified Mux' # Variable STRING
DAQmx_AO_EnhancedImageRejectionEnable = 8769 # Variable c_int
DAQmxErrorStartTrigDelayWithExtSampClk = -200436 # Variable c_int
DAQmx_AI_Bridge_Balance_FinePot = 6388 # Variable c_int
DAQmxWarningPALMemoryAlignmentFault = 50351 # Variable c_int
DAQmx_Val_ChanPerLine = 0 # Variable c_int
DAQmx_PersistedScale_AllowInteractiveDeletion = 8918 # Variable c_int
DAQmxErrorInvalidTrigTypeSendsSWTrig = -200372 # Variable c_int
DAQmxErrorDifftSyncPulseSrcAndSampClkTimebaseSrcDevMultiDevTask = -200854 # Variable c_int
DAQmxErrorTooManyChansForInternalAIInputSrc = -200710 # Variable c_int
DAQmx_CI_CtrTimebase_DigFltr_MinPulseWidth = 8818 # Variable c_int
DAQmxErrorInvalidCfgCalAdjustMainPathPreAmpGain = -200511 # Variable c_int
DAQmx_CI_Encoder_ZIndexPhase = 2185 # Variable c_int
DAQmxErrorChanSizeTooBigForU16PortRead = -200878 # Variable c_int
DAQmx_AI_LeadWireResistance = 6126 # Variable c_int
DAQmx_Val_FirstPretrigSamp = 10427 # Variable c_int
DAQmxErrorInternalClkDCMBecameUnlocked = -200386 # Variable c_int
DAQmx_Read_SleepTime = 8880 # Variable c_int
DAQmx_Val_Switch_Topology_2529_2_Wire_4x32_Matrix = '2529/2-Wire 4x32 Matrix' # Variable STRING
DAQmxErrorStartTrigSrcEqualToSampClkSrc = -200953 # Variable c_int
DAQmxErrorCOReadyForNewValNotSupportedWithHWTimedSinglePoint = -200975 # Variable c_int
DAQmx_RefClk_Rate = 4885 # Variable c_int
DAQmxWarningPALLogicalBufferEmpty = 50406 # Variable c_int
DAQmxErrorCppCantRemoveEventHandlerTwice = -200589 # Variable c_int
DAQmx_CI_CountEdges_CountDir_DigFltr_Enable = 8689 # Variable c_int
DAQmx_Val_Switch_Topology_2576_2_Wire_Sixteen_4x1_Mux = '2576/2-Wire Sixteen 4x1 Mux' # Variable STRING
DAQmxErrorCannotReadPastEndOfRecord = -200614 # Variable c_int
DAQmxErrorTEDSMappingMethodInvalidOrUnsupported = -200765 # Variable c_int
DAQmxErrorRelayNameNotSpecifiedInList = -200531 # Variable c_int
DAQmx_AI_Atten = 6145 # Variable c_int
DAQmx_Val_Meters = 10219 # Variable c_int
DAQmx_Exported_AIHoldCmpltEvent_OutputTerm = 6381 # Variable c_int
DAQmxErrorAIMaxTooSmall = -200580 # Variable c_int
DAQmxErrorLibraryNotPresent = -200090 # Variable c_int
DAQmx_CI_SemiPeriod_DigFltr_TimebaseSrc = 8731 # Variable c_int
DAQmxErrorInconsistentNumSamplesToWrite = -200103 # Variable c_int
DAQmx_Exported_ChangeDetectEvent_Pulse_Polarity = 8963 # Variable c_int
DAQmxErrorCOWriteDutyCycleOutOfRange = -200684 # Variable c_int
DAQmx_AI_Max = 6109 # Variable c_int
DAQmx_Val_Switch_Topology_2568_31_SPST = '2568/31-SPST' # Variable STRING
DAQmx_Val_Pulse_Ticks = 10268 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedDACOffsetValInappropriate = -200870 # Variable c_int
DAQmxError20MhzTimebaseNotSupportedGivenTimingType = -200909 # Variable c_int
DAQmx_Val_AllowRegen = 10097 # Variable c_int
DAQmxErrorCustomScaleDoesNotExist = -200378 # Variable c_int
DAQmxErrorAOPropertiesCauseVoltageOverMax = -200582 # Variable c_int
DAQmx_Write_RelativeTo = 6412 # Variable c_int
DAQmxErrorMaxSoundPressureAndMicSensitivityNotSupportedByDev = -200860 # Variable c_int
DAQmxErrorHystTrigLevelAIMin = -200421 # Variable c_int
DAQmxErrorRoutingPathNotAvailable_Routing = -89124 # Variable c_int
DAQmxErrorDelayFromSampClkWithExtConv = -200435 # Variable c_int
DAQmx_PhysicalChanName = 6389 # Variable c_int
DAQmx_Val_Switch_Topology_2503_2_Wire_4x6_Matrix = '2503/2-Wire 4x6 Matrix' # Variable STRING
DAQmx_CI_PulseWidth_DigSync_Enable = 8718 # Variable c_int
DAQmxErrorWaveformLengthNotMultipleOfIncr = -200400 # Variable c_int
DAQmx_Val_Temp_Thrmstr = 10302 # Variable c_int
DAQmxErrorTrigWhenAOHWTimedSinglePtSampMode = -200812 # Variable c_int
DAQmxErrorInvalidDeviceID = -200220 # Variable c_int
DAQmxErrorDevAbsentOrUnavailable = -200324 # Variable c_int
DAQmx_Val_Switch_Topology_1129_2_Wire_Dual_4x32_Matrix = '1129/2-Wire Dual 4x32 Matrix' # Variable STRING
DAQmx_AI_StrainGage_PoissonRatio = 2456 # Variable c_int
DAQmxErrorDigLinesReservedOrUnavailable = -200587 # Variable c_int
DAQmxErrorPALBadDevice = -50002 # Variable c_int
DAQmxErrorSampleTimingTypeAndDataXferMode = -200218 # Variable c_int
DAQmxWarningReadNotCompleteBeforeSampClk = 209800 # Variable c_int
DAQmxErrorCAPIReservedParamNotNULLNorEmpty = -200493 # Variable c_int
DAQmx_Val_ChannelVoltage = 0 # Variable c_int
DAQmxErrorPALComponentNotFound = -50251 # Variable c_int
DAQmx_StartTrig_DelayUnits = 6344 # Variable c_int
DAQmxErrorAttributeNotQueryableUnlessTaskIsCommitted = -200451 # Variable c_int
DAQmxErrorRouteNotSupportedByHW_Routing = -89136 # Variable c_int
DAQmxErrorCannotHandshakeWithPort0 = -200127 # Variable c_int
DAQmx_Val_PPS = 10080 # Variable c_int
DAQmxErrorNoWatchdogOutputOnPortReservedForInput = -200667 # Variable c_int
DAQmx_Val_B_Type_TC = 10047 # Variable c_int
DAQmx_RealTime_ReportMissedSamp = 8985 # Variable c_int
DAQmx_CI_CountEdges_DigFltr_TimebaseRate = 8697 # Variable c_int
DAQmxErrorPrptyGetImpliedActiveChanFailedDueToDifftVals = -200658 # Variable c_int
DAQmx_CI_Period_DigFltr_Enable = 8684 # Variable c_int
DAQmxErrorInvalidCfgCalAdjustMainPathOutputImpedance = -200513 # Variable c_int
DAQmxErrorCannotReadWhenAutoStartFalseAndTaskNotRunningOrCommitted = -200473 # Variable c_int
DAQmx_Val_DigLvl = 10152 # Variable c_int
DAQmx_AnlgWin_StartTrig_Coupling = 8756 # Variable c_int
DAQmxWarningPALFunctionObsolete = 50254 # Variable c_int
DAQmx_SwitchDev_NumColumns = 6378 # Variable c_int
DAQmxErrorScriptDataUnderflow = -200316 # Variable c_int
DAQmx_SwitchScan_RepeatMode = 4680 # Variable c_int
DAQmx_AO_DAC_Ref_ConnToGnd = 304 # Variable c_int
DAQmxErrorUnexpectedSeparatorInList = -200064 # Variable c_int
DAQmxErrorMultipleRelaysForSingleRelayOp = -200211 # Variable c_int
DAQmx_AnlgWin_StartTrig_Src = 5120 # Variable c_int
DAQmxErrorMStudioNoForwardPolyScaleCoeffsUseCalc = -200780 # Variable c_int
DAQmxErrorPALComponentTooNew = -50253 # Variable c_int
DAQmxErrorAODuringCounter1DMAConflict = -200079 # Variable c_int
DAQmx_Val_SampClkPeriods = 10286 # Variable c_int
DAQmx_DigEdge_ArmStartTrig_Src = 5143 # Variable c_int
DAQmx_AO_UseOnlyOnBrdMem = 6202 # Variable c_int
DAQmx_Buf_Output_OnbrdBufSize = 8971 # Variable c_int
DAQmxErrorTEDSMinPhysValGEMaxPhysVal = -200815 # Variable c_int
DAQmxErrorInvalidAnalogTrigSrc = -200265 # Variable c_int
DAQmxWarningPALTransferOverwritten = 50410 # Variable c_int
DAQmx_Val_Acquired_Into_Buffer = 1 # Variable c_int
DAQmxErrorOutputFIFOUnderflow = -200016 # Variable c_int
DAQmxErrorMarkerPosInvalidBeforeIfElseBlockInScript = -201010 # Variable c_int
DAQmx_Val_Switch_Topology_2527_2_Wire_Dual_16x1_Mux = '2527/2-Wire Dual 16x1 Mux' # Variable STRING
DAQmxErrorDSFStopClock = -200632 # Variable c_int
DAQmx_Val_QuarterBridgeI = 10271 # Variable c_int
DAQmxErrorPALResourceNotAvailable = -50101 # Variable c_int
DAQmx_CO_PulseDone = 6414 # Variable c_int
DAQmx_AI_Bridge_Balance_CoarsePot = 6129 # Variable c_int
DAQmxErrorTrigLineNotFound = -200224 # Variable c_int
DAQmx_Val_WaitForInterrupt = 12523 # Variable c_int
DAQmxErrorCannotOpenTopologyCfgFile = -200328 # Variable c_int
DAQmx_AI_Freq_Hyst = 2068 # Variable c_int
DAQmxErrorCouldNotReserveLinesForSCXIControl = -200158 # Variable c_int
DAQmx_DigPattern_RefTrig_Src = 5175 # Variable c_int
DAQmxErrorInvalidRangeStatementCharInList = -200208 # Variable c_int
DAQmxErrorPALBadAddressClass = -50015 # Variable c_int
DAQmxErrorNoCommonTrigLineForTaskRoute = -200395 # Variable c_int
DAQmxErrorSamplesWillNeverBeAvailable = -200278 # Variable c_int
DAQmxErrorRuntimeAborted_Routing = -88709 # Variable c_int
DAQmxErrorLines4To7ConfiguredForInput = -200124 # Variable c_int
DAQmx_CI_TwoEdgeSep_FirstEdge = 2099 # Variable c_int
DAQmx_Val_Switch_Topology_2501_2_Wire_24x1_Mux = '2501/2-Wire 24x1 Mux' # Variable STRING
DAQmxErrorInvalidAcqTypeForFREQOUT = -200747 # Variable c_int
DAQmxErrorExpectedSeparatorInList = -200061 # Variable c_int
DAQmx_Val_Switch_Topology_1127_1_Wire_64x1_Mux = '1127/1-Wire 64x1 Mux' # Variable STRING
DAQmx_CI_Encoder_ZInput_DigFltr_Enable = 8709 # Variable c_int
DAQmx_AI_Gain = 6168 # Variable c_int
DAQmxErrorFewerThan2PreScaledVals = -200434 # Variable c_int
DAQmxErrorRoutingDestTermPXIChassisNotIdentified_Routing = -89142 # Variable c_int
DAQmxErrorOnlyContinuousScanSupported = -200192 # Variable c_int
DAQmxErrorMStudioInvalidPolyDirection = -200594 # Variable c_int
DAQmx_CI_OutputState = 329 # Variable c_int
DAQmxErrorInvalidCalConstGainDACValue = -200516 # Variable c_int
DAQmx_CI_PulseWidth_Term = 6314 # Variable c_int
DAQmxWarningCAPIStringTruncatedToFitBuffer = 200026 # Variable c_int
DAQmxErrorExtCalFunctionOutsideExtCalSession = -200439 # Variable c_int
DAQmxErrorGlobalChanCannotBeSavedSoInteractiveEditsAllowed = -200884 # Variable c_int
DAQmxErrorExtCalConstsInvalid = -200437 # Variable c_int
DAQmx_Val_ChangeDetectionEvent = 12511 # Variable c_int
DAQmx_AnlgEdge_RefTrig_Slope = 5155 # Variable c_int
DAQmx_DI_DigFltr_Enable = 8662 # Variable c_int
DAQmxWarningCounter0DMADuringAIConflict = 200008 # Variable c_int
DAQmxErrorCODAQmxWriteMultipleChans = -200794 # Variable c_int
DAQmxErrorInvalidAdvanceEventTriggerType = -200070 # Variable c_int
DAQmxErrorIntermediateBufferSizeNotMultipleOfIncr = -200347 # Variable c_int
DAQmx_DigPattern_RefTrig_Pattern = 8583 # Variable c_int
DAQmxErrorWaveformNameTooLong = -200534 # Variable c_int
DAQmxErrorAOEveryNSampsEventIntervalNotMultipleOf2 = -200917 # Variable c_int
DAQmx_AO_Current_Units = 4361 # Variable c_int
DAQmx_Sys_NIDAQMinorVersion = 6435 # Variable c_int
DAQmx_AIConv_ActiveEdge = 6227 # Variable c_int
DAQmxErrorResourcesInUseForProperty_Routing = -89132 # Variable c_int
DAQmx_SampClk_DigSync_Enable = 8738 # Variable c_int
DAQmxErrorSCXI1122ResistanceChanNotSupportedForCfg = -200105 # Variable c_int
DAQmxErrorCannotHaveCJTempWithOtherChans = -200167 # Variable c_int
DAQmxErrorStartTrigDigPatternChanNotInTask = -200887 # Variable c_int
DAQmxErrorRoutingDestTermPXIClk10InNotInSlot2 = -200706 # Variable c_int
DAQmxErrorCannotReadRelativeToRefTrigUntilDone = -200281 # Variable c_int
DAQmxErrorDAQmxCantRetrieveStringDueToUnknownChar = -200810 # Variable c_int
DAQmxErrorClkDoublerDCMLock = -200241 # Variable c_int
DAQmx_CI_Period_Units = 6307 # Variable c_int
DAQmx_CO_RdyForNewVal = 8959 # Variable c_int
DAQmxErrorDigFilterNotAvailableOnTerm = -200772 # Variable c_int
DAQmx_Exported_HshkEvent_Pulse_Polarity = 8896 # Variable c_int
DAQmx_Val_Switch_Topology_1130_2_Wire_4x32_Matrix = '1130/2-Wire 4x32 Matrix' # Variable STRING
DAQmxWarningPALMemoryHeapNotEmpty = 50355 # Variable c_int
DAQmx_Scale_ScaledUnits = 6427 # Variable c_int
DAQmx_Write_WaitMode = 8881 # Variable c_int
DAQmx_CI_Period_MeasMeth = 6444 # Variable c_int
DAQmxErrorZeroReversePolyScaleCoeffs = -200408 # Variable c_int
DAQmx_CI_Timestamp_InitialSeconds = 8884 # Variable c_int
DAQmxErrorDifferentInternalAIInputSources = -200573 # Variable c_int
DAQmxErrorInvalidCalArea = -200438 # Variable c_int
DAQmxErrorDifferentAIInputSrcInOneChanGroup = -200572 # Variable c_int
DAQmxWarningTooManyInterruptsPerSecond = 200014 # Variable c_int
DAQmx_Val_HandshakeTriggerDeasserts = 12553 # Variable c_int
DAQmx_Val_PathStatus_SourceChannelConflict = 10435 # Variable c_int
DAQmxErrorReadBufferTooSmall = -200229 # Variable c_int
DAQmx_Val_Cfg_Default = -1 # Variable c_int
DAQmxErrorLinesUsedForStaticInputNotForHandshakingInput = -200726 # Variable c_int
DAQmx_CO_Pulse_HighTime = 6330 # Variable c_int
DAQmx_CI_Encoder_ZInput_DigSync_Enable = 8713 # Variable c_int
DAQmxErrorRegisterNotWritable = -200393 # Variable c_int
DAQmxErrorStartTrigOutputTermNotSupportedGivenTimingType = -200911 # Variable c_int
DAQmxErrorCannotTristate8255OutputLines = -200116 # Variable c_int
DAQmxErrorNoLastExtCalDateTimeLastExtCalNotDAQmx = -200804 # Variable c_int
DAQmxErrorCAPIReservedParamNotNULL = -200492 # Variable c_int
DAQmx_SwitchChan_Bandwidth = 1600 # Variable c_int
DAQmx_Val_Switch_Topology_2567_Independent = '2567/Independent' # Variable STRING
DAQmxErrorInvalidCalConstOscillatorPhaseDACValue = -200518 # Variable c_int
DAQmxErrorResourceNotFound = -54000 # Variable c_int
DAQmxErrorRouteSrcAndDestSame_Routing = -89131 # Variable c_int
DAQmxErrorCorruptedTEDSMemory = -200742 # Variable c_int
DAQmxErrorCannotScanWithCurrentTopology = -200205 # Variable c_int
DAQmxWarningOutputGainTooLowForRFFreq = 200031 # Variable c_int
DAQmxErrorAOMinMaxNotInDACRange = -200759 # Variable c_int
DAQmxErrorInputFIFOOverflow2 = -200361 # Variable c_int
DAQmx_AO_TermCfg = 6286 # Variable c_int
DAQmx_Val_Action_Cancel = 1 # Variable c_int
DAQmxErrorSampClkSrcInvalidForOutputValidForInput = -200610 # Variable c_int
DAQmxErrorSampleRateNumChansConvertPeriodCombo = -200081 # Variable c_int
DAQmxErrorNumPtsToComputeNotPositive = -200401 # Variable c_int
DAQmx_AI_RVDT_SensitivityUnits = 8603 # Variable c_int
DAQmxErrorStartTrigDigPatternSizeDoesNotMatchSourceSize = -200894 # Variable c_int
DAQmxErrorAIMinNotSpecified = -200694 # Variable c_int
DAQmx_CI_CountEdges_DigFltr_MinPulseWidth = 8695 # Variable c_int
DAQmxErrorPALDMALinkEventMissed = -50450 # Variable c_int
DAQmxErrorBridgeOffsetNullingCalNotSupported = -200696 # Variable c_int
DAQmxWarningCounter1DMADuringAOConflict = 200009 # Variable c_int
DAQmx_Write_DigitalLines_BytesPerChan = 8575 # Variable c_int
DAQmx_Task_Complete = 4724 # Variable c_int
DAQmx_AO_MemMapEnable = 6287 # Variable c_int
DAQmx_CI_PulseWidth_DigFltr_TimebaseRate = 8717 # Variable c_int
DAQmxErrorOffsetTooSmall = -200268 # Variable c_int
DAQmxErrorChannelNotAvailableInParallelMode = -200150 # Variable c_int
DAQmxErrorCannotGetPropertyWhenTaskNotReservedCommittedOrRunning = -200983 # Variable c_int
DAQmx_AIConv_Rate = 6216 # Variable c_int
DAQmxErrorRoutingSrcTermPXIChassisNotIdentified = -200698 # Variable c_int
DAQmx_Val_AdvanceTrigger = 12488 # Variable c_int
DAQmx_Val_Switch_Topology_1127_2_Wire_32x1_Mux = '1127/2-Wire 32x1 Mux' # Variable STRING
DAQmxErrorRoutingSrcTermPXIChassisNotIdentified_Routing = -89141 # Variable c_int
DAQmx_AI_Bridge_NomResistance = 6124 # Variable c_int
DAQmxErrorInvalidCharInString = -200552 # Variable c_int
DAQmxErrorPALMessageOverflow = -50650 # Variable c_int
DAQmxErrorTrigLineNotFound_Routing = -89125 # Variable c_int
DAQmx_Val_AO = 10102 # Variable c_int
DAQmxErrorBuiltInTempSensorNotSupported = -200255 # Variable c_int
DAQmxErrorWatchdogExpirationStateNotEqualForLinesInPort = -200665 # Variable c_int
DAQmx_Val_Switch_Topology_1130_1_Wire_Sixteen_16x1_Mux = '1130/1-Wire Sixteen 16x1 Mux' # Variable STRING
DAQmx_Read_Offset = 6411 # Variable c_int
DAQmxErrorNoTEDSTerminalBlock = -200743 # Variable c_int
DAQmxErrorReadWaitNextSampClkWaitMismatchTwo = -200989 # Variable c_int
DAQmxErrorOverloadedChansExistNotRead = -200362 # Variable c_int
DAQmxErrorPALIrrelevantAttribute = -50001 # Variable c_int
DAQmx_Exported_AdvCmpltEvent_Pulse_Polarity = 5714 # Variable c_int
DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseRate = 8727 # Variable c_int
DAQmxErrorMemMapAndBuffer = -200215 # Variable c_int
DAQmxErrorExtCalTemperatureNotDAQmx = -200544 # Variable c_int
DAQmx_Val_OutsideWin = 10251 # Variable c_int
DAQmx_Val_Load = 10440 # Variable c_int
DAQmxErrorPXIDevTempCausedShutDown = -200623 # Variable c_int
DAQmx_CI_SemiPeriod_DigFltr_Enable = 8729 # Variable c_int
DAQmxErrorPALTransferNotInProgress = -50402 # Variable c_int
DAQmx_AI_Current_Units = 1793 # Variable c_int
DAQmxErrorIntermediateBufferFull = -200495 # Variable c_int
DAQmx_AI_Freq_ThreshVoltage = 2069 # Variable c_int
DAQmxErrorAOSampTimingTypeDifferentIn2Tasks = -200963 # Variable c_int
DAQmx_DigLvl_PauseTrig_DigSync_Enable = 8748 # Variable c_int
DAQmxErrorInvalidNumberSamplesToRead = -200096 # Variable c_int
DAQmxErrorNoDMAChansAvailable = -200251 # Variable c_int
DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_16x16_Matrix = '2532/1-Wire Dual 16x16 Matrix' # Variable STRING
DAQmx_Val_HalfBridgeII = 10189 # Variable c_int
DAQmxErrorWatchdogTimerNotSupported = -200662 # Variable c_int
DAQmxErrorRoutingSrcTermPXIStarXNotInSlot2 = -200704 # Variable c_int
DAQmxErrorMultipleChansNotSupportedDuringCalSetup = -201004 # Variable c_int
DAQmxErrorCantSaveTaskWithoutReplace = -200484 # Variable c_int
DAQmx_Exported_AdvCmpltEvent_Delay = 5975 # Variable c_int
DAQmx_CI_SemiPeriod_StartingEdge = 8958 # Variable c_int
DAQmx_Val_Kelvins = 10325 # Variable c_int
DAQmx_Val_SampClk = 10388 # Variable c_int
DAQmx_Val_Switch_Topology_1128_2_Wire_4x8_Matrix = '1128/2-Wire 4x8 Matrix' # Variable STRING
DAQmx_CI_Freq_MeasTime = 325 # Variable c_int
DAQmxErrorNoChansSpecdForPatternSource = -200927 # Variable c_int
DAQmx_AI_Lowpass_Enable = 6146 # Variable c_int
DAQmxErrorCounterStartPauseTriggerConflict = -200146 # Variable c_int
DAQmxErrorPALFileWriteFault = -50208 # Variable c_int
DAQmxErrorMStudioNoReversePolyScaleCoeffsUseCalc = -200779 # Variable c_int
DAQmxErrorPALFirmwareFault = -50151 # Variable c_int
DAQmxErrorMemMapAndSimultaneousAO = -200830 # Variable c_int
DAQmx_Val_HalfBridge = 10187 # Variable c_int
DAQmxWarningPALBadDevice = 50002 # Variable c_int
DAQmxErrorSampClkTimebaseDCMBecameUnlocked = -200238 # Variable c_int
DAQmxErrorSemicolonDoesNotFollowRangeInList = -200054 # Variable c_int
DAQmx_Val_Position_AngEncoder = 10360 # Variable c_int
DAQmxErrorCannotAddNewDevsAfterTaskConfiguration = -200855 # Variable c_int
DAQmxErrorMeasuredBridgeOffsetTooHigh = -200788 # Variable c_int
DAQmxErrorReversePolyOrderLessThanNumPtsToCompute = -200403 # Variable c_int
DAQmx_Val_SynchronousEventCallbacks = 1 # Variable c_int
DAQmxErrorDataLineReservedForDynamicOutput = -200384 # Variable c_int
DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseSrc = 8711 # Variable c_int
DAQmxErrorPALThreadHasNoThreadObject = -50601 # Variable c_int
DAQmx_Val_DoNotOverwriteUnreadSamps = 10159 # Variable c_int
DAQmxErrorInvalidPhysicalChanForCal = -200444 # Variable c_int
DAQmx_AO_DAC_Ref_Src = 306 # Variable c_int
DAQmxErrorEndpointNotFound = -54001 # Variable c_int
DAQmxErrorSubsetStartOffsetNotAlignedInScript = -200033 # Variable c_int
DAQmx_AO_DataXferMech = 308 # Variable c_int
DAQmx_Exported_AIConvClk_Pulse_Polarity = 5768 # Variable c_int
DAQmxWarningPALBadReadOffset = 50010 # Variable c_int
DAQmxErrorSwitchDevShutDownDueToHighTemp = -200818 # Variable c_int
DAQmx_Val_Task_Reserve = 4 # Variable c_int
DAQmx_AnlgWin_StartTrig_When = 5121 # Variable c_int
DAQmx_AI_Accel_SensitivityUnits = 8604 # Variable c_int
DAQmxErrorChanCalScaleTypeNotSet = -200935 # Variable c_int
DAQmx_CI_Freq_DigFltr_Enable = 8679 # Variable c_int
DAQmxErrorExplicitConnectionExists = -200179 # Variable c_int
DAQmx_Val_Pulse_Freq = 10119 # Variable c_int
DAQmx_Scale_Poly_ReverseCoeff = 4661 # Variable c_int
DAQmxErrorPropertyNotSupportedNotOutputTask = -200456 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedGivenDACRefVal = -200867 # Variable c_int
DAQmxErrorScriptHasInvalidIdentifier = -200024 # Variable c_int
DAQmxErrorResourcesInUseForInversionInTask = -200366 # Variable c_int
DAQmx_AI_Lowpass_SwitchCap_OutClkDiv = 6279 # Variable c_int
DAQmx_CI_TCReached = 336 # Variable c_int
DAQmx_Val_mVoltsPerG = 12509 # Variable c_int
DAQmxErrorActiveChanNotSpecdWhenGetting1LinePrpty = -200642 # Variable c_int
DAQmxErrorMStudioNoPolyScaleCoeffsUseCalc = -200781 # Variable c_int
DAQmxErrorStreamDCMLock = -200313 # Variable c_int
DAQmx_CO_Pulse_Freq_InitialDelay = 665 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedGivenDACRefAndOffsetVal = -200866 # Variable c_int
DAQmxErrorHWTimedSinglePointNotSupportedAI = -200821 # Variable c_int
DAQmx_SwitchChan_MaxACCarryPwr = 1602 # Variable c_int
DAQmxErrorSampsPerChanTooBig = -200306 # Variable c_int
DAQmx_CO_CtrTimebaseMasterTimebaseDiv = 6339 # Variable c_int
DAQmxErrorPALResourceNotReserved = -50102 # Variable c_int
DAQmx_Exported_CtrOutEvent_OutputBehavior = 5967 # Variable c_int
DAQmxErrorChanSizeTooBigForU8PortRead = -200563 # Variable c_int
DAQmxErrorAOMinMaxNotSupportedGivenDACOffsetVal = -200869 # Variable c_int
DAQmxErrorEveryNSampsTransferredFromBufferEventAlreadyRegistered = -200967 # Variable c_int
DAQmxErrorAcqStoppedDriverCantXferDataFastEnough = -200714 # Variable c_int
DAQmxErrorInvalidPhysChanType = -200430 # Variable c_int
DAQmx_Val_4Wire = 4 # Variable c_int
DAQmx_CI_Period_DigSync_Enable = 8688 # Variable c_int
DAQmxErrorAOPropertiesCauseVoltageBelowMin = -200583 # Variable c_int
DAQmx_CI_NumPossiblyInvalidSamps = 6460 # Variable c_int
DAQmx_AI_ChanCal_ApplyCalIfExp = 8857 # Variable c_int
DAQmxErrorPulseActiveAtStart = -200339 # Variable c_int
DAQmx_Exported_DividedSampClkTimebase_OutputTerm = 8609 # Variable c_int
DAQmx_Write_RawDataWidth = 8573 # Variable c_int
DAQmxErrorAttrNotSupported = -200197 # Variable c_int
DAQmx_Val_Switch_Topology_2530_4_Wire_Dual_16x1_Mux = '2530/4-Wire Dual 16x1 Mux' # Variable STRING
DAQmx_Write_Offset = 6413 # Variable c_int
DAQmxErrorInvalidIDInListAtBeginningOfSwitchOperation = -200595 # Variable c_int
DAQmxErrorCOMultipleWritesBetweenSampClks = -200951 # Variable c_int
DAQmx_AnlgWin_RefTrig_Src = 5158 # Variable c_int
DAQmxErrorPALFunctionNotFound = -50255 # Variable c_int
DAQmxErrorPortDoesNotSupportHandshakingDataIO = -200117 # Variable c_int
DAQmxErrorDACRefValNotSet = -200540 # Variable c_int
DAQmx_AI_CustomScaleName = 6112 # Variable c_int
DAQmxErrorTDCNotEnabledDuringRISMode = -200417 # Variable c_int
DAQmxErrorCalPasswordNotSupported = -201006 # Variable c_int
DAQmx_Val_Immediate = 10198 # Variable c_int
DAQmx_StartTrig_Type = 5011 # Variable c_int
DAQmx_OnDemand_SimultaneousAOEnable = 8608 # Variable c_int
DAQmxErrorIdentifierInListTooLong = -200058 # Variable c_int
DAQmxErrorAttributeInconsistentAcrossChannelsOnDevice = -200106 # Variable c_int
DAQmx_Val_Switch_Topology_2575_1_Wire_196x1_Mux = '2575/1-Wire 196x1 Mux' # Variable STRING
DAQmxErrorWriteWhenTaskNotRunningCOFreq = -200875 # Variable c_int
DAQmx_SwitchChan_MaxDCSwitchPwr = 1609 # Variable c_int
DAQmxErrorSampClkRateNotSupportedWithEARDisabled = -201001 # Variable c_int
DAQmxErrorCabledModuleCannotRouteConvClk = -200319 # Variable c_int
DAQmx_CO_Pulse_DutyCyc = 4470 # Variable c_int
DAQmxErrorNoMoreSpace = -200293 # Variable c_int
DAQmxErrorDDCClkOutDCMLock = -200243 # Variable c_int
DAQmxWarningPALComponentNotUnloadable = 50262 # Variable c_int
DAQmxErrorNoPathAvailableBetween2SwitchChans = -200180 # Variable c_int
DAQmx_ChanDescr = 6438 # Variable c_int
DAQmx_CI_Freq_DigFltr_MinPulseWidth = 8680 # Variable c_int
DAQmx_Val_Poll = 12524 # Variable c_int
DAQmxErrorSignalEventsNotSupportedByDevice = -200982 # Variable c_int
DAQmx_Scale_Lin_YIntercept = 4648 # Variable c_int
DAQmxErrorDuplicateDevIDInList = -200209 # Variable c_int
DAQmx_DigEdge_AdvTrig_DigFltr_Enable = 8760 # Variable c_int
DAQmx_CI_Encoder_BInput_DigFltr_TimebaseRate = 8707 # Variable c_int
NULL = 0 # Variable c_long
DAQmx_Interlocked_HshkTrig_Src = 8888 # Variable c_int
DAQmxErrorPALComponentAlreadyInstalled = -50263 # Variable c_int
DAQmxErrorPALBadSelector = -50003 # Variable c_int
DAQmxErrorTimeStampOverwritten = -200009 # Variable c_int
DAQmx_Val_Switch_Topology_2503_2_Wire_Dual_12x1_Mux = '2503/2-Wire Dual 12x1 Mux' # Variable STRING
DAQmx_AnlgLvl_PauseTrig_Coupling = 8758 # Variable c_int
DAQmx_Exported_10MHzRefClk_OutputTerm = 8814 # Variable c_int
DAQmxErrorMultipleCounterInputTask = -200147 # Variable c_int
DAQmxErrorAutoStartWriteNotAllowedEventRegistered = -200985 # Variable c_int
DAQmx_Val_Pt3851 = 10071 # Variable c_int
DAQmx_Val_DigEdge = 10150 # Variable c_int
DAQmxErrorDACRngLowNotEqualToMinusRefVal = -200670 # Variable c_int
DAQmxErrorPALResourceNotInitialized = -50104 # Variable c_int
DAQmxErrorCIOnboardClockNotSupportedAsInputTerm = -200814 # Variable c_int
DAQmxErrorSampClockSourceNotSupportedGivenTimingType = -200908 # Variable c_int
DAQmx_Val_RefTrig = 10426 # Variable c_int
DAQmxErrorInvalidChannel = -200087 # Variable c_int
DAQmxErrorCanExportOnlyOnboardSampClk = -200891 # Variable c_int
DAQmxErrorDifferentRawDataFormats = -200955 # Variable c_int
DAQmx_CO_OutputState = 660 # Variable c_int
DAQmx_Val_FullBridgeII = 10184 # Variable c_int
DAQmx_AI_Freq_Units = 2054 # Variable c_int
DAQmx_Val_Switch_Topology_2530_1_Wire_8x16_Matrix = '2530/1-Wire 8x16 Matrix' # Variable STRING
DAQmx_Val_Switch_Topology_2530_1_Wire_Octal_16x1_Mux = '2530/1-Wire Octal 16x1 Mux' # Variable STRING
DAQmxErrorPowerupStateNotSupported = -200663 # Variable c_int
DAQmxErrorCantSetPropertyTaskNotRunning = -200972 # Variable c_int
DAQmx_CO_Pulse_IdleState = 4464 # Variable c_int
DAQmxErrorPALResourceOwnedBySystem = -50100 # Variable c_int
__all__ = ['DAQmxSetSampClkSrc',
'DAQmxErrorChannelNotReservedForRouting',
'DAQmxSetCITwoEdgeSepSecondDigSyncEnable',
'DAQmx_Val_FullBridgeIII', 'DAQmxTaskControl',
'DAQmxGetReadSleepTime', 'DAQmx_AI_RTD_A',
'DAQmxErrorCantSetWatchdogExpirationOnDigInChan',
'DAQmxGetCIDataXferMech',
'DAQmxErrorSampToWritePerChanNotMultipleOfIncr',
'DAQmxResetAIDataXferCustomThreshold',
'DAQmxErrorMemMapDataXferModeSampTimingCombo',
'DAQmxWarningPALTransferOverread', 'DAQmxLoadTask',
'DAQmxErrorWriteNotCompleteBeforeSampClk',
'DAQmxSetBufferAttribute', 'DAQmxCreateAIResistanceChan',
'DAQmxGetCICountEdgesActiveEdge', 'DAQmxGetSysDevNames',
'DAQmx_Exported_AdvCmpltEvent_Pulse_Polarity',
'DAQmx_Val_Switch_Topology_2575_2_Wire_95x1_Mux',
'DAQmxSwitchCreateScanList', 'DAQmxResetAITempUnits',
'DAQmx_Val_Lvl', 'DAQmxErrorHWUnexpectedlyPoweredOffAndOn',
'DAQmx_AI_Excit_Val', 'DAQmx_AI_RTD_B',
'DAQmxGetAIStrainUnits',
'DAQmxErrorDigitalWaveformExpected',
'DAQmxGetSampClkDigFltrEnable', 'DAQmxGetAIExcitActualVal',
'DAQmxErrorCAPISyncEventsTaskStateChangeNotAllowedFromDifferentThread',
'DAQmxGetCITimestampInitialSeconds',
'DAQmxSetCOPulseFreqInitialDelay',
'DAQmxSetSwitchDevAutoConnAnlgBus',
'DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseRate',
'DAQmxErrorInterpolationRateNotPossible',
'DAQmxErrorRequestedSignalInversionForRoutingNotPossible',
'DAQmx_Val_Bits', 'DAQmxSetCIEncoderBInputDigSyncEnable',
'DAQmx_AO_MemMapEnable', 'DAQmxResetAIChanCalScaleType',
'DAQmxResetCIFreqDigSyncEnable',
'DAQmxErrorInvalidRoutingSourceTerminalName_Routing',
'DAQmxErrorNoMemMapWhenHWTimedSinglePoint',
'DAQmxErrorSelfCalTemperatureNotDAQmx',
'DAQmxGetAIChanCalVerifRefVals',
'DAQmx_CI_SemiPeriod_DigFltr_TimebaseRate',
'DAQmxGetAnlgEdgeRefTrigSlope',
'DAQmxGetDigEdgeRefTrigEdge',
'DAQmx_SwitchDev_SettlingTime', 'DAQmxSetHshkTrigType',
'DAQmx_AIConv_MaxRate', 'DAQmxErrorInvalidAsynOpHandle',
'DAQmx_CI_SemiPeriod_DigFltr_MinPulseWidth',
'DAQmxSetWriteWaitMode',
'DAQmxErrorSendAdvCmpltAfterWaitForTrigInScanlist',
'DAQmx_AI_MemMapEnable', 'DAQmxSetAIConvSrc',
'DAQmxTristateOutputTerm',
'DAQmxErrorTimebaseCalFailedToConverge',
'DAQmx_SwitchDev_RelayList',
'DAQmxGetExportedSampClkOutputBehavior',
'DAQmxGetPersistedChanAllowInteractiveDeletion',
'DAQmxGetAIAccelSensitivityUnits',
'DAQmxCreateCITwoEdgeSepChan',
'DAQmxErrorExtCalConstsInvalid',
'DAQmxGetCISemiPeriodDigFltrMinPulseWidth',
'DAQmxErrorInvalidChanName', 'DAQmxRestoreLastExtCalConst',
'DAQmxSetHshkSampleInputDataWhen',
'DAQmxGetCITwoEdgeSepSecondDigFltrEnable',
'DAQmxErrorMeasCalAdjustDirectPathOutputImpedance',
'DAQmxErrorCantAllowConnectDACToGnd',
'DAQmxGetNthTaskChannel',
'DAQmxErrorPALPhysicalBufferEmpty', 'DAQmxSetCIMin',
'DAQmxErrorResourcesInUseForInversionInTask_Routing',
'DAQmxErrorSampPerChanNotMultOfXferSize',
'DAQmxErrorHandshakeEventOutputTermNotSupportedGivenTimingType',
'DAQmxGetCIEncoderZInputDigFltrTimebaseSrc',
'DAQmxErrorPALTransferTimedOut',
'DAQmxErrorSensorInvalidCompletionResistance',
'DAQmx_Val_Open', 'DAQmxGetAITermCfg',
'DAQmxSetCICustomScaleName',
'DAQmxErrorSpecifiedAttrNotValid',
'DAQmxSetAnlgWinStartTrigSrc', 'DAQmxDisableRefTrig',
'DAQmxResetAIBridgeShuntCalGainAdjust',
'DAQmxSetAIThrmcplType',
'DAQmx_Val_Switch_Topology_1127_2_Wire_32x1_Mux',
'DAQmxErrorNoForwardPolyScaleCoeffs',
'DAQmxResetExportedDividedSampClkTimebaseOutputTerm',
'DAQmxResetAOMax', 'DAQmxErrorAIMinTooLarge',
'DAQmxSetAIInputSrc', 'DAQmxErrorPALTransferNotInProgress',
'DAQmxErrorChannelSizeTooBigForPortReadType',
'DAQmxErrorSimulationCannotBeDisabledForDevCreatedAsSimulatedDev',
'DAQmxSetAnlgWinRefTrigWhen',
'DAQmxGetAIRawDataCompressionType',
'DAQmxErrorInvalidAIAttenuation', 'DAQmxMSeriesCalAdjust',
'DAQmxGetAIACExcitWireMode',
'DAQmxCfgBurstHandshakingTimingImportClock',
'DAQmxResetExported20MHzTimebaseOutputTerm',
'DAQmxErrorAOPropertiesCauseVoltageOverMax',
'DAQmxErrorBufferWithOnDemandSampTiming',
'DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseSrc',
'DAQmxGetDigEdgeArmStartTrigSrc',
'DAQmxErrorChanSizeTooBigForU32PortRead',
'DAQmxCreateAIVoltageChanWithExcit',
'DAQmx_AI_ChanCal_Desc',
'DAQmxErrorCantSetPropertyTaskNotRunningCommitted',
'DAQmx_CO_Pulse_Freq', 'DAQmxErrorWfmNameSameAsScriptName',
'DAQmxErrorDataNotAvailable', 'DAQmx_SwitchChan_WireMode',
'DAQmx_RealTime_WaitForNextSampClkWaitMode',
'DAQmxSetScaleAttribute', 'DAQmxSetCIPeriodDigFltrEnable',
'DAQmxSetCICtrTimebaseDigFltrTimebaseSrc',
'DAQmxGetAIACExcitFreq', 'DAQmxWarningPALHardwareFault',
'DAQmx_Val_RightJustified',
'DAQmxErrorCouldNotDownloadFirmwareFileMissingOrDamaged',
'DAQmxErrorCOWritePulseHighTimeOutOfRange',
'DAQmxErrorWaveformNotInMem',
'DAQmxCreateTEDSAIMicrophoneChan',
'DAQmxCfgDigEdgeAdvTrig',
'DAQmxErrorInterconnectBridgeRouteNotPossible',
'DAQmxSSeriesCalAdjust', 'DAQmxGetDigEdgeAdvTrigEdge',
'DAQmxErrorPropertyNotSupportedWhenRefClkSrcNone',
'DAQmxGetCISemiPeriodDigFltrEnable',
'DAQmxErrorFewerThan2ScaledValues',
'DAQmxGetAnlgWinPauseTrigCoupling', 'DAQmxResetCIFreqDiv',
'DAQmx_Val_PPS', 'DAQmxGetCOPulseDone',
'DAQmx_SwitchChan_Usage', 'DAQmx_AI_Thrmstr_A',
'DAQmx_AI_Thrmstr_B', 'DAQmx_AI_Thrmstr_C',
'DAQmx_Task_NumChans', 'DAQmx_Val_QuarterBridge',
'DAQmxErrorAnalogTrigChanNotFirstInScanList',
'DAQmxSetSampClkTimebaseRate',
'DAQmxGetCIPulseWidthDigFltrTimebaseSrc',
'DAQmx_Exported_HshkEvent_Pulse_Width',
'DAQmxCfgBurstHandshakingTimingExportClock',
'DAQmx_DigEdge_AdvTrig_Src',
'DAQmxGetDigLvlPauseTrigDigFltrTimebaseSrc',
'DAQmx_SampClk_Src', 'DAQmxGetAIChanCalExpDate',
'DAQmxErrorSampClkTimebaseDCMLock',
'DAQmxErrorEveryNSampsEventAlreadyRegistered',
'DAQmxResetAICurrentShuntResistance',
'DAQmxErrorDevAbsentOrUnavailable',
'DAQmxWarningPALBadPointer', 'DAQmx_Val_DoNotAllowRegen',
'DAQmxSetDIDataXferReqCond',
'DAQmxErrorNegativeReadSampleNumber',
'DAQmxErrorCannotReadWhenAutoStartFalseBufSizeZeroAndTaskNotRunning',
'DAQmxResetSampClkTimebaseActiveEdge',
'DAQmxGetRefClkRate', 'DAQmxGetPhysicalChanAttribute',
'DAQmxErrorChanCalTablePreScaledValsNotSpecd',
'DAQmx_Val_FullBridgeI',
'DAQmxSetExportedCtrOutEventToggleIdleState',
'DAQmxCreateTEDSAIVoltageChanWithExcit',
'DAQmxGetAILowpassEnable', 'DAQmx_Val_AIHoldCmpltEvent',
'DAQmxSetSampClkDigFltrTimebaseSrc',
'DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseRate',
'DAQmx_DigEdge_AdvTrig_Edge',
'DAQmxWarningPALResourceOwnedBySystem',
'DAQmxGetCOOutputType', 'DAQmxResetStartTrigDelay',
'DAQmxSetReadAttribute', 'DAQmxCreateTEDSAIResistanceChan',
'DAQmxSetDigEdgeStartTrigEdge', 'DAQmxErrorScriptNotInMem',
'DAQmxSetCIFreqDigFltrMinPulseWidth',
'DAQmxErrorPhysChanMeasType',
'DAQmxWarningPALValueConflict',
'DAQmxSetCICountEdgesCountDirDigFltrEnable',
'DAQmx_Val_PulseWidth', 'DAQmxErrorPLLLock',
'DAQmx_Val_WaitForHandshakeTriggerAssert',
'DAQmxSetDigEdgeStartTrigSrc',
'DAQmxErrorInadequateResolutionForTimebaseCal',
'DAQmx_Val_Pt3911', 'DAQmxResetTrigAttribute',
'DAQmxGetExportedHshkEventPulseWidth', 'DAQmxGetAIMax',
'DAQmxErrorInvalidRefClkSrc', 'DAQmx_CO_Pulse_Term',
'DAQmx_DO_DataXferReqCond', 'DAQmxResetAODACRngLow',
'DAQmxResetAISampAndHoldEnable',
'DAQmx_CI_Freq_DigFltr_TimebaseRate',
'DAQmxResetAIChanCalVerifAcqVals',
'DAQmxErrorWaitForNextSampClkNotSupported',
'DAQmxErrorWaveformLengthNotMultipleOfIncr',
'DAQmxSetAOTermCfg', 'DAQmxErrorNoAnalogTrigHW',
'DAQmx_StartTrig_Type',
'DAQmxResetCISemiPeriodDigFltrEnable',
'DAQmxSetAODACRefSrc',
'DAQmx_AI_Lowpass_SwitchCap_ExtClkFreq',
'DAQmxErrorPauseTrigTypeNotSupportedGivenTimingType',
'DAQmxErrorWriteOffsetNotMultOfIncr', 'DAQmx_Val_Seconds',
'DAQmxPerformBridgeOffsetNullingCal',
'DAQmxGetCITwoEdgeSepUnits',
'DAQmxSetAIChanCalTableScaledVals',
'DAQmxGetDOOutputDriveType',
'DAQmx_Exported_HshkEvent_Delay',
'DAQmx_AnlgWin_PauseTrig_Coupling', 'DAQmx_Val_Resistance',
'DAQmx_AnlgWin_PauseTrig_Btm',
'DAQmxResetAnlgLvlPauseTrigCoupling',
'DAQmxErrorPhysChanOutputType',
'DAQmxErrorInvalidIdentifierFollowingSeparatorInList',
'DAQmxGetCIPeriodDigFltrEnable',
'DAQmxErrorNoReversePolyScaleCoeffs',
'DAQmxErrorPALComponentAlreadyLoaded',
'DAQmxResetDigEdgeAdvTrigSrc',
'DAQmxSetAnalogPowerUpStates',
'DAQmxErrorPhysChanNotInTask', 'DAQmx_Val_FullBridgeII',
'DAQmxErrorRefClkSrcNotSupported',
'DAQmxResetAIDataXferMech',
'DAQmxErrorPALComponentInitializationFault',
'DAQmx_Exported_HshkEvent_OutputBehavior',
'DAQmxGetSampClkMaxRate', 'DAQmx_Val_CountEdges',
'DAQmxResetAnlgWinRefTrigSrc',
'DAQmx_Val_Position_LinEncoder',
'DAQmxSetCIEncoderZInputDigFltrMinPulseWidth',
'DAQmx_Val_LosslessPacking',
'DAQmxGetAnlgEdgeStartTrigCoupling',
'DAQmxErrorResourcesInUseForRoute',
'DAQmx_Val_Switch_Topology_1166_32_SPDT',
'DAQmxGetCITwoEdgeSepSecondEdge', 'DAQmx_CI_Period_Units',
'DAQmxErrorPALTransferInProgress', 'DAQmx_AI_TermCfg',
'DAQmxGetSampTimingType',
'DAQmxSetCIEncoderBInputDigFltrMinPulseWidth',
'DAQmxErrorExtCalDateTimeNotDAQmx',
'DAQmxErrorLineNumIncompatibleWithVideoSignalFormat',
'DAQmx_Sys_GlobalChans', 'DAQmx_SwitchChan_MaxDCVoltage',
'DAQmxResetDigLvlPauseTrigDigFltrEnable',
'DAQmxSwitchWaitForSettling',
'DAQmxSetCIFreqDigFltrTimebaseSrc',
'DAQmxErrorPALDeviceNotFound',
'DAQmxErrorCantUsePort1AloneGivenSampTimingTypeOn653x',
'DAQmxErrorMStudioMultiplePhysChansNotSupported',
'DAQmx_Val_Switch_Topology_1161_8_SPDT',
'DAQmxGetAIChanCalHasValidCalInfo',
'DAQmxErrorCounterTimebaseRateNotFound',
'DAQmxResetCIEncoderAInputTerm', 'DAQmxDeviceSupportsCal',
'DAQmx_CO_CtrTimebaseRate',
'DAQmxGetCalUserDefinedInfoMaxSize', 'DAQmx_Val_MapRanges',
'DAQmxSetAIExcitActualVal',
'DAQmx_Val_Switch_Topology_2593_Dual_8x1_Mux',
'DAQmx_CI_Encoder_AInputTerm',
'DAQmxErrorInputBufSizeTooSmallToStartAcq',
'DAQmxSetWriteRegenMode',
'DAQmxResetCIPeriodDigFltrTimebaseSrc',
'DAQmxErrorTrigLineNotFound', 'DAQmxGetAnlgWinRefTrigBtm',
'DAQmxResetAnlgLvlPauseTrigSrc',
'DAQmx_SwitchDev_AutoConnAnlgBus',
'DAQmxErrorExternalTimebaseRateNotknownForRate',
'DAQmx_Val_CO', 'DAQmx_CI_AngEncoder_InitialAngle',
'DAQmx_Val_CI', 'DAQmxGetAITEDSUnits',
'DAQmx_CO_Pulse_DutyCyc',
'DAQmxGetExportedSyncPulseEventOutputTerm',
'DAQmxResetCOPulseFreqInitialDelay',
'DAQmxSetDODataXferMech', 'DAQmxErrorPALThreadCouldNotRun',
'DAQmxErrorIncorrectDigitalPattern', 'DAQmx_Val_Radians',
'DAQmxErrorDrivePhaseShiftDCMBecameUnlocked',
'DAQmxWarningPALLogicalBufferFull',
'DAQmxGetExtendedErrorInfo',
'DAQmxErrorTEDSSensorDataError', 'DAQmxSetReadOverWrite',
'DAQmxCreateCILinEncoderChan', 'DAQmxResetReadRelativeTo',
'DAQmxErrorSampleTimebaseDivisorNotSupportedGivenTimingType',
'DAQmxSetHshkStartCond', 'DAQmxGetTaskAttribute',
'DAQmxResetChanDescr', 'DAQmxGetAILVDTSensitivity',
'DAQmxCfgHandshakingTiming',
'DAQmxGetSwitchChanMaxDCCarryPwr',
'DAQmx_Val_Switch_Topology_2503_2_Wire_Dual_12x1_Mux',
'DAQmxGetScaleType',
'DAQmxErrorResourcesInUseForExportSignalPolarity',
'DAQmx_CI_CountEdges_Term', 'DAQmxGetCICountEdgesTerm',
'DAQmxAddGlobalChansToTask',
'DAQmxGetAnlgEdgeStartTrigLvl',
'DAQmxWarningReadNotCompleteBeforeSampClk',
'DAQmxSetDigLvlPauseTrigDigFltrTimebaseSrc',
'DAQmxSetCIEncoderAInputDigFltrEnable',
'DAQmxErrorCouldNotReserveRequestedTrigLine',
'DAQmxGetSwitchChanAttribute',
'DAQmx_Exported_CtrOutEvent_Toggle_IdleState',
'DAQmx_CI_Encoder_ZIndexEnable',
'DAQmx_CI_CtrTimebase_DigFltr_TimebaseRate',
'DAQmxSetAIImpedance', 'DAQmxGetAOResolution',
'DAQmx_Val_Switch_Topology_2595_4x1_Mux',
'DAQmxErrorDataLineReservedForDynamicOutput',
'DAQmx_Val_Switch_Topology_1193_32x1_Mux',
'DAQmxGetCIFreqDigSyncEnable', 'DAQmx_AO_DataXferReqCond',
'DAQmxWriteAnalogF64', 'DAQmxSetAIConvRate',
'DAQmx_CI_AngEncoder_Units',
'DAQmxErrorLocalRemoteDriverVersionMismatch_Routing',
'DAQmx_Val_ProgrammedIO',
'DAQmxErrorTableScaleScaledValsNotSpecd',
'DAQmxGetExportedWatchdogExpiredEventOutputTerm',
'DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseRate',
'DAQmx_DI_InvertLines',
'DAQmxErrorLinesReservedForSCXIControl',
'DAQmx_Exported_SampClk_OutputBehavior',
'DAQmx_Scale_Type',
'DAQmxErrorMStudioCppRemoveEventsBeforeStop',
'DAQmxWarningPALTransferStopped',
'DAQmx_Val_Switch_Topology_2576_2_Wire_Octal_8x1_Mux',
'DAQmx_CO_OutputType',
'DAQmx_CI_Encoder_BInput_DigFltr_MinPulseWidth',
'DAQmxErrorTEDSDoesNotContainPROM',
'DAQmxResetExportedRefTrigOutputTerm',
'DAQmxSetDigEdgeAdvTrigDigFltrEnable',
'DAQmxResetRealTimeAttribute', 'DAQmx_Val_FromTEDS',
'DAQmxErrorScriptHasInvalidIdentifier',
'DAQmxErrorCfgTEDSNotSupportedOnRT',
'DAQmxErrorPALDeviceUnknown',
'DAQmxErrorInternalAIInputSrcInMultipleChanGroups',
'DAQmxResetCIPeriodDigFltrTimebaseRate',
'DAQmxErrorAcqStoppedToPreventInputBufferOverwrite',
'DAQmxErrorInvalidAOOffsetCalConst',
'DAQmxSetCISemiPeriodDigFltrTimebaseSrc',
'DAQmxResetDelayFromSampClkDelayUnits',
'DAQmxErrorInvalidRoutingDestinationTerminalName_Routing',
'DAQmxWarningUserDefinedInfoTooLong',
'DAQmxResetCIEncoderBInputDigFltrTimebaseRate',
'DAQmxErrorTooManyInstructionsInLoopInScript',
'DAQmx_Val_Pulse', 'DAQmxSetAOOutputImpedance',
'DAQmxGetBufferAttribute', 'DAQmx_DI_DataXferMech',
'DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseSrc',
'DAQmx_Read_ReadAllAvailSamp',
'DAQmxResetAnlgWinStartTrigSrc',
'DAQmxErrorOddTotalNumSampsToWrite',
'DAQmxErrorSampTbRateSampTbSrcMismatch',
'DAQmxResetAIResistanceCfg',
'DAQmxErrorCIHWTimedSinglePointNotSupportedForMeasType',
'DAQmxESeriesCalAdjust', 'DAQmxResetAIChanCalDesc',
'DAQmxResetDigEdgeArmStartTrigDigSyncEnable',
'DAQmx_DO_NumLines', 'DAQmxResetCIEncoderDecodingType',
'DAQmxErrorCppCantRemoveEventHandlerTwice',
'DAQmxErrorPALFileSeekFault', 'DAQmx_Val_ALowBHigh',
'DAQmxSetSampClkActiveEdge',
'DAQmxResetCICtrTimebaseDigFltrMinPulseWidth',
'DAQmxErrorCannotWriteNotStartedAutoStartFalseNotOnDemandBufSizeZero',
'DAQmx_Task_Name',
'DAQmxGetRealTimeConvLateErrorsToWarnings',
'DAQmxErrorDSFFailedToResetStream',
'DAQmxGetAOResolutionUnits',
'DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseRate',
'DAQmxErrorWriteFailedMultipleCOOutputTypes',
'DAQmxSetCICtrTimebaseDigFltrTimebaseRate',
'DAQmx_Val_Switch_Topology_1130_2_Wire_128x1_Mux',
'DAQmxGetCIEncoderZInputTerm',
'DAQmxErrorMStudioInvalidPolyDirection',
'DAQmxSetCIFreqDiv', 'DAQmxErrorPALResourceInitialized',
'DAQmxErrorPALBadToken', 'DAQmxResetCIPeriodDigFltrEnable',
'DAQmxResetHshkStartCond',
'DAQmxErrorCannotTristateBusyTerm_Routing',
'DAQmxGetCIFreqUnits',
'DAQmx_DigEdge_ArmStartTrig_DigFltr_Enable',
'DAQmxErrorDevInUnidentifiedPXIChassis',
'DAQmxErrorDDCClkOutDCMBecameUnlocked',
'DAQmxGetDigPatternStartTrigSrc',
'DAQmxErrorInvalidAttentuationBasedOnMinMax',
'DAQmxSetSwitchDeviceAttribute',
'DAQmxGetSampClkTimebaseActiveEdge',
'DAQmxSetAnlgEdgeStartTrigSlope',
'DAQmxErrorWatchdogExpirationStateNotEqualForLinesInPort',
'DAQmxErrorCannotTristateTerm',
'DAQmxWarningPALResourceReserved',
'DAQmxGetDevProductType',
'DAQmxErrorPFI0UsedForAnalogAndDigitalSrc',
'DAQmxSetAILeadWireResistance',
'DAQmxWarningDevNotSelfCalibratedWithDAQmx',
'DAQmx_CI_TwoEdgeSep_Second_DigFltr_Enable',
'DAQmxGetCIEncoderAInputDigFltrEnable',
'DAQmxErrorSampClkRateAndDivCombo',
'DAQmxErrorCannotWriteWhenAutoStartFalseAndTaskNotRunningOrCommitted',
'DAQmxGetExtCalLastTemp', 'DAQmxGetCIMeasType',
'DAQmxResetAnlgWinPauseTrigCoupling', 'DAQmx_Val_Low',
'DAQmxWarningPALResourceBusy', 'FALSE',
'DAQmxErrorDevOnboardMemOverflowDuringHWTimedNonBufferedGen',
'DAQmx_PersistedScale_AllowInteractiveDeletion',
'DAQmxErrorCounterInputPauseTriggerAndSampleClockInvalid',
'DAQmxErrorStartTrigDelayWithExtSampClk',
'DAQmxGetWriteCurrWritePos',
'DAQmxErrorCannotHaveTimedLoopAndDAQmxSignalEventsInSameTask',
'DAQmxErrorChansCantAppearInSameTask',
'DAQmxGetCICountEdgesCountDirDigFltrTimebaseRate',
'DAQmxResetRealTimeConvLateErrorsToWarnings',
'DAQmxResetCITwoEdgeSepUnits', 'DAQmx_AI_Bridge_Cfg',
'DAQmxCreateLinScale', 'DAQmxResetAnlgEdgeStartTrigSrc',
'DAQmxResetReadSleepTime',
'DAQmxResetAnlgWinPauseTrigWhen',
'DAQmxErrorClkDoublerDCMBecameUnlocked',
'DAQmxGetSampClkTimebaseRate', 'DAQmxGetAODataXferMech',
'DAQmxErrorDeviceIsNotAValidSwitch',
'DAQmx_Read_OverWrite', 'DAQmxGetCIFreqDiv',
'DAQmxErrorNULLPtrForC_Api',
'DAQmxSetScalePolyReverseCoeff',
'DAQmxErrorDLLBecameUnlocked',
'DAQmxErrorLines0To3ConfiguredForOutput',
'DAQmxGetAnlgEdgeRefTrigHyst',
'DAQmxResetDigEdgeWatchdogExpirTrigEdge',
'DAQmxErrorStreamDCMBecameUnlocked',
'DAQmxCfgChangeDetectionTiming', 'DAQmx_Val_StartTrigger',
'DAQmx_AnlgWin_PauseTrig_Src',
'DAQmxErrorSwitchScanlistTooBig', 'DAQmx_Val_Strain_Gage',
'DAQmxErrorMeasCalAdjustDirectPathGain',
'DAQmxErrorProductOfAOMinAndGainTooSmall',
'DAQmxSetDigEdgeWatchdogExpirTrigSrc',
'DAQmxErrorChanCalExpirationDateNotSet',
'DAQmxResetDODataXferMech',
'DAQmxErrorCannotReadWhenAutoStartFalseAndTaskNotRunningOrCommitted',
'DAQmxErrorPALDeviceInitializationFault',
'DAQmxErrorPortConfiguredForStaticDigitalOps',
'DAQmxGetStartTrigRetriggerable',
'DAQmxErrorIfElseBlockNotAllowedInFiniteRepeatLoopInScript',
'DAQmxResetCOPulseTicksInitialDelay',
'DAQmx_Read_OverloadedChansExist',
'DAQmxErrorRepeatLoopNestingTooDeepInScript',
'DAQmxSetCILinEncoderInitialPos',
'DAQmxSwitchConnectMulti', 'DAQmxErrorRecordNotAvailable',
'DAQmxGetSwitchDevNumRows', 'DAQmx_Val_ConstVal',
'DAQmx_Scale_Map_PreScaledMax',
'DAQmxErrorCantSaveChanWithoutReplace',
'DAQmxCreateDIChan',
'DAQmxResetExportedAdvCmpltEventDelay',
'DAQmx_CI_Period_DigFltr_MinPulseWidth',
'DAQmxGetAIMeasType',
'DAQmx_Val_Switch_Topology_2585_1_Wire_10x1_Mux',
'DAQmxResetCIEncoderBInputTerm',
'DAQmx_PersistedScale_AllowInteractiveEditing',
'DAQmxErrorCannotConnectSrcChans',
'DAQmxSetDigEdgeArmStartTrigDigFltrTimebaseSrc',
'DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseRate',
'DAQmxErrorPALBadMode',
'DAQmxSetCIEncoderAInputDigSyncEnable',
'DAQmxGetAIThrmstrR1', 'DAQmx_Val_WaitInfinitely',
'DAQmxResetAnlgEdgeRefTrigSlope',
'DAQmxWarningPALFunctionObsolete',
'DAQmxErrorChanIndexInvalid',
'DAQmxSetAnlgEdgeStartTrigHyst',
'DAQmx_CI_Period_DigFltr_TimebaseRate',
'DAQmxErrorWatchdogExpirationTristateNotSpecdForEntirePort',
'DAQmxResetAIBridgeShuntCalEnable',
'DAQmxErrorMeasCalAdjustCalADC',
'DAQmxSetCISemiPeriodDigFltrMinPulseWidth',
'DAQmxGetCOPulseTimeInitialDelay',
'DAQmxErrorStrobePhaseShiftDCMBecameUnlocked',
'DAQmx_DigLvl_PauseTrig_When',
'DAQmxResetChangeDetectDIFallingEdgePhysicalChans',
'DAQmxWriteCtrTicksScalar',
'DAQmx_CI_Encoder_BInput_DigFltr_Enable',
'DAQmx_Val_AIConvertClock', 'DAQmx_Read_OverloadedChans',
'DAQmxResetRealTimeWaitForNextSampClkWaitMode',
'DAQmxGetAIAccelUnits', 'DAQmxSetDigLvlPauseTrigSrc',
'DAQmxGetAICurrentShuntResistance',
'DAQmxSetAIBridgeBalanceCoarsePot',
'DAQmxResetAIConvTimebaseSrc', 'DAQmxGetRealTimeAttribute',
'DAQmxGetAIConvRate',
'DAQmxErrorActiveChanTooManyLinesSpecdWhenGettingPrpty',
'DAQmxErrorTrigLineNotFound_Routing', 'DAQmx_ChanIsGlobal',
'DAQmxResetCICountEdgesCountDirDigFltrEnable',
'DAQmxResetAIVoltageUnits',
'DAQmxResetAIBridgeBalanceCoarsePot',
'DAQmxSetExportedHshkEventOutputTerm',
'DAQmxSetCICountEdgesCountDirDigFltrMinPulseWidth',
'DAQmx_Val_OverwriteUnreadSamps', 'DAQmxSetAOMemMapEnable',
'DAQmxGetAnlgEdgeStartTrigSrc',
'DAQmxErrorCalTempNotSupported',
'DAQmxGetWatchdogExpirTrigType',
'DAQmxSetAnlgWinPauseTrigCoupling',
'DAQmxErrorInvalidLoopIterationsInScript',
'DAQmxErrorSelfCalConstsInvalid',
'DAQmxGetCITwoEdgeSepFirstEdge',
'DAQmxWarningTimestampCounterRolledOver',
'DAQmxResetAOLoadImpedance',
'DAQmxErrorInversionNotSupportedByHW',
'DAQmxGetExportedAIConvClkPulsePolarity',
'DAQmxGetTimingAttribute', 'DAQmxSetAIExcitUseMultiplexed',
'DAQmxErrorSwitchDifferentTopologyWhenScanning',
'DAQmx_Val_Yield', 'DAQmxGetAIForceReadFromChan',
'DAQmxGetCICtrTimebaseDigFltrTimebaseRate',
'DAQmxSetAIChanCalVerifRefVals', 'DAQmxResetHshkTrigType',
'DAQmx_Val_Switch_Topology_2530_1_Wire_Quad_32x1_Mux',
'DAQmx_SyncPulse_MinDelayToStart',
'DAQmxErrorChanDoesNotSupportCJC',
'DAQmx_Exported_HshkEvent_Interlocked_AssertedLvl',
'DAQmxErrorSampClkTimingTypeWhenTristateIsFalse',
'DAQmxResetCIFreqTerm',
'DAQmxErrorInvalidSignalTypeExportSignal',
'DAQmxErrorOneChanReadForMultiChanTask',
'DAQmxSetWriteOffset', 'DAQmxErrorNoAcqStarted',
'DAQmxCreateCIAngEncoderChan',
'DAQmxResetExportedCtrOutEventToggleIdleState',
'DAQmx_Val_PathStatus_ChannelReservedForRouting',
'DAQmxErrorDeviceShutDownDueToHighTemp',
'DAQmxSetWatchdogTimeout', 'DAQmxErrorInvalidSwitchChan',
'DAQmxResetCOPulseDutyCyc', 'DAQmxSetAITempUnits',
'DAQmxResetAIMicrophoneSensitivity',
'DAQmxSwitchGetMultiRelayPos',
'DAQmxResetRealTimeNumOfWarmupIters',
'DAQmxErrorNoPatternMatcherAvailable',
'DAQmxSetWatchdogDOExpirState', 'DAQmxGetHshkStartCond',
'DAQmxErrorDigFilterIntervalAlreadyCfgd',
'DAQmx_Val_Switch_Topology_1128_Independent',
'DAQmxSetAIDataXferMech',
'DAQmx_Exported_ChangeDetectEvent_OutputTerm',
'DAQmxExportSignal',
'DAQmxErrorAutoStartReadNotAllowedEventRegistered',
'DAQmxSetExportedAdvTrigPulseWidthUnits',
'DAQmxErrorWriteNoOutputChansInTask',
'DAQmxErrorUnexpectedIDFollowingSwitchChanName',
'DAQmxSetExportedCtrOutEventPulsePolarity',
'DAQmxSetExportedRdyForXferEventOutputTerm',
'DAQmxWarningPossiblyInvalidCTRSampsInFiniteDMAAcq',
'DAQmxSetStartTrigType', 'DAQmxSetAILowpassEnable',
'DAQmx_Val_Pulse_Time', 'DAQmx_Dev_ProductType',
'DAQmxGetAIMemMapEnable',
'DAQmxErrorTEDSMultipleCalTemplatesNotSupported',
'DAQmxResetAIRTDB', 'DAQmxResetAIRTDC', 'DAQmxResetAIRTDA',
'DAQmxReadRaw', 'DAQmxResetReadAutoStart',
'DAQmxResetAIMin',
'DAQmxErrorDigFilterEnabledMinPulseWidthNotCfg',
'DAQmxSetCITwoEdgeSepFirstDigFltrTimebaseRate',
'DAQmxResetCIEncoderAInputDigFltrTimebaseRate',
'DAQmx_Val_20MHzTimebase',
'DAQmxGetExportedAdvTrigPulseWidthUnits',
'DAQmx_AI_DataXferMech', 'DAQmxResetCICountEdgesDir',
'DAQmxResetAOIdleOutputBehavior',
'DAQmxCreateAITempBuiltInSensorChan',
'DAQmxResetRefClkRate', 'DAQmx_Val_DC', 'DAQmxSelfCal',
'DAQmxStopTask', 'DAQmx_Val_DI',
'DAQmxGetPhysicalChanTEDSMfgID',
'DAQmx_CI_CustomScaleName', 'DAQmx_AI_InputSrc',
'DAQmx_Val_DO', 'DAQmxErrorSampRateTooLow',
'DAQmxGetCITwoEdgeSepFirstDigSyncEnable',
'DAQmxSetAIRVDTSensitivity',
'DAQmxGetExportedAdvCmpltEventPulsePolarity',
'DAQmxGetCOPulseTicksInitialDelay', 'DAQmxGetReadWaitMode',
'DAQmx_CI_Encoder_DecodingType',
'DAQmxErrorInvalidTimeoutVal',
'DAQmxErrorWriteToTEDSFailed',
'DAQmxErrorWaitIsLastInstructionOfLoopInScript',
'DAQmxErrorInvalidNumberInRepeatStatementInList',
'DAQmxErrorMStudioNoForwardPolyScaleCoeffs',
'DAQmxErrorValueNotInSet', 'DAQmxResetCOCtrTimebaseSrc',
'DAQmxSetDOOutputDriveType',
'DAQmx_Val_Switch_Topology_2564_16_SPST',
'DAQmxResetExportedAIHoldCmpltEventOutputTerm',
'DAQmxGetAIBridgeBalanceFinePot',
'DAQmxSetAnlgWinRefTrigCoupling',
'DAQmx_RealTime_WriteRecoveryMode',
'DAQmxSetInterlockedHshkTrigSrc',
'DAQmxWarningInvalidCalConstValueForAO',
'DAQmxErrorPropertyNotSupportedNotInputTask',
'DAQmxErrorAttributeNotSupportedInTaskContext',
'DAQmxGetScaleMapPreScaledMin',
'DAQmxWarningInvalidCalConstValueForAI',
'DAQmxErrorPropertyValNotSupportedByHW',
'DAQmxSetCIEncoderZInputDigFltrEnable',
'DAQmxWriteBinaryU32', 'DAQmxGetCIPulseWidthUnits',
'DAQmxErrorCannotConnectChansDirectly',
'DAQmxGetAIStrainGagePoissonRatio',
'DAQmxErrorInvalidChannelNameInList',
'DAQmxResetCOCtrTimebaseDigSyncEnable',
'DAQmx_Val_InvertPolarity', 'DAQmx_AO_DevScalingCoeff',
'DAQmxSetAIForceReadFromChan', 'DAQmx_CI_Freq_Units',
'DAQmxSetAILowpassSwitchCapExtClkDiv',
'DAQmxErrorInvalidDeviceIDInList',
'DAQmxResetSampClkDigSyncEnable',
'DAQmxErrorIncorrectReadFunction',
'DAQmxWarningPALBadCount',
'DAQmxResetAnlgEdgeStartTrigHyst',
'DAQmxErrorPROMOnTEDSAlreadyWritten',
'DAQmxGetDigEdgeAdvTrigSrc',
'DAQmxErrorPALThreadAlreadyDead',
'DAQmx_CI_PulseWidth_DigFltr_TimebaseSrc',
'DAQmxSetExportedHshkEventInterlockedAssertOnStart',
'DAQmxSetCITwoEdgeSepUnits', 'DAQmx_AI_RTD_Type',
'DAQmxSetReadAutoStart',
'DAQmxSetCISemiPeriodStartingEdge',
'DAQmxGetPersistedScaleAttribute',
'DAQmxResetAIForceReadFromChan', 'DAQmx_Val_AnlgWin',
'DAQmx_Val_PatternDoesNotMatch',
'DAQmxErrorInvalidTEDSPhysChanNotAI',
'DAQmx_Val_HWTimedSinglePoint', 'DAQmxGetArmStartTrigType',
'DAQmxGetAIConvMaxRate',
'DAQmxErrorOperationNotPermittedWhileScanning',
'DAQmx_Val_WhenAcqComplete',
'DAQmxSetDigEdgeStartTrigDigSyncEnable',
'DAQmxGetTaskNumChans', 'DAQmxResetAOTermCfg',
'DAQmxSetCIPulseWidthDigSyncEnable',
'DAQmxWarningPALBadWriteOffset',
'DAQmxErrorRoutingHardwareBusy_Routing',
'DAQmxGetAIACExcitSyncEnable', 'DAQmxSetAIExcitDCorAC',
'DAQmx_Scale_Lin_Slope', 'DAQmxWarningSampClkRateTooLow',
'DAQmx_AO_Voltage_Units', 'DAQmxSetScaleMapScaledMin',
'DAQmx_Val_Switch_Topology_2530_4_Wire_32x1_Mux',
'DAQmx_Val_Switch_Topology_1128_1_Wire_64x1_Mux',
'DAQmxErrorCOWritePulseLowTimeOutOfRange',
'DAQmxErrorLabVIEWEmptyTaskOrChans',
'DAQmxErrorExportTwoSignalsOnSameTerminal',
'DAQmxResetAnlgWinStartTrigTop',
'DAQmxResetAnlgEdgeRefTrigHyst', 'DAQmxCfgInputBuffer',
'DAQmx_SampClk_Timebase_Src',
'DAQmxGetExtCalRecommendedInterval', 'DAQmxResetCIMin',
'DAQmx_Val_Switch_Topology_2527_4_Wire_16x1_Mux',
'DAQmxResetDIDigFltrEnable',
'DAQmxErrorOutputFIFOUnderflow',
'DAQmxResetCOCtrTimebaseActiveEdge',
'DAQmxErrorCabledModuleNotCapableOfRoutingAI',
'DAQmxErrorInterconnectBusNotFound',
'DAQmxGetAIConvTimebaseDiv',
'DAQmxErrorRoutingSrcTermPXIStarInSlot2',
'DAQmx_CI_CtrTimebase_DigFltr_MinPulseWidth',
'DAQmxWarningPropertyVersionNew',
'DAQmxErrorMaxSoundPressureMicSensitivitRelatedAIPropertiesNotSupportedByDev',
'DAQmxGetExportedHshkEventInterlockedDeassertDelay',
'DAQmxResetCIPulseWidthDigFltrMinPulseWidth',
'DAQmx_PhysicalChan_TEDS_SerialNum',
'DAQmxResetCIFreqDigFltrTimebaseRate',
'DAQmx_CI_Timestamp_Units', 'DAQmxGetAOCurrentUnits',
'DAQmxSetAIBridgeNomResistance',
'DAQmx_Buf_Input_OnbrdBufSize',
'DAQmxResetCISemiPeriodTerm',
'DAQmx_CI_Period_StartingEdge',
'DAQmxErrorResourcesInUseForRouteInTask_Routing',
'DAQmxSetAIGain', 'DAQmxGetWriteSpaceAvail',
'DAQmxErrorPhysicalChannelNotSpecified',
'DAQmxErrorWriteDataTypeTooSmall',
'DAQmxGetCOPulseFreqUnits', 'DAQmx_Val_OnBrdMemNotFull',
'DAQmxGetChanIsGlobal', 'DAQmxResetDigPatternRefTrigSrc',
'DAQmxErrorAOMinMaxNotInGainRange',
'DAQmxErrorEmptyStringTermNameNotSupported',
'DAQmxGetAIChanCalCalDate',
'DAQmxErrorWriteWhenTaskNotRunningCOTime',
'DAQmxGetAICustomScaleName', 'DAQmx_Sys_Scales',
'DAQmxErrorPALTransferStopped',
'DAQmx_Val_Switch_Topology_2527_2_Wire_Dual_16x1_Mux',
'DAQmxResetAIRVDTSensitivityUnits',
'DAQmx_AnlgLvl_PauseTrig_When',
'DAQmxResetCIPulseWidthDigSyncEnable',
'DAQmx_Val_BurstHandshake',
'DAQmx_CI_Encoder_AInput_DigFltr_MinPulseWidth',
'DAQmxErrorDSFStopClock', 'DAQmx_Val_10MHzRefClock',
'DAQmx_Read_NumChans',
'DAQmx_Val_Switch_Topology_1192_8_SPDT',
'DAQmx_Val_Software',
'DAQmx_DigEdge_StartTrig_DigFltr_TimebaseRate',
'DAQmxSetSyncPulseSrc',
'DAQmxErrorPALReceiverSocketInvalid',
'DAQmxErrorSampleValueOutOfRange',
'DAQmxErrorWriteToTEDSNotSupportedOnRT',
'DAQmxResetDigEdgeArmStartTrigSrc',
'DAQmxErrorMultipleDevIDsPerChassisSpecifiedInList',
'DAQmx_Val_QuarterBridgeI', 'DAQmx_Val_Linear',
'DAQmxErrorPALBadWriteCount',
'DAQmxErrorPALComponentNeverLoaded',
'DAQmxErrorPALComponentNotFound',
'DAQmxErrorChangeDetectionOutputTermNotSupportedGivenTimingType',
'DAQmx_Val_CurrReadPos', 'DAQmx_CI_Period_Term',
'DAQmxGetAnlgLvlPauseTrigCoupling',
'DAQmxGetCINumPossiblyInvalidSamps',
'DAQmxResetStartTrigRetriggerable',
'DAQmxResetCIDupCountPrevent',
'DAQmx_DigPattern_StartTrig_When',
'DAQmxResetExportedRdyForXferEventOutputTerm',
'DAQmx_Val_WaitForInterrupt',
'DAQmxErrorNoSyncPulseAnotherTaskRunning',
'DAQmxGetPersistedTaskAttribute',
'DAQmxGetAIConvTimebaseSrc',
'DAQmx_SwitchChan_MaxDCCarryPwr',
'DAQmxErrorRequestedSignalInversionForRoutingNotPossible_Routing',
'DAQmxErrorInvalidSubsetLengthBeforeIfElseBlockInScript',
'DAQmxGetDigEdgeWatchdogExpirTrigEdge',
'DAQmxSetAnlgEdgeRefTrigCoupling', 'DAQmx_AI_Rng_Low',
'DAQmxResetRealTimeWriteRecoveryMode',
'DAQmx_Val_Switch_Topology_1129_2_Wire_16x16_Matrix',
'DAQmx_DI_Tristate', 'DAQmx_CI_Count',
'DAQmxSetAIEnhancedAliasRejectionEnable',
'DAQmxGetDigPatternRefTrigWhen',
'DAQmxWarningPALComponentNotUnloadable',
'DAQmxGetCIPeriodDigFltrTimebaseSrc',
'DAQmxGetSwitchDevRelayList',
'DAQmxResetAIBridgeBalanceFinePot',
'DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseSrc',
'DAQmxGetCICountEdgesDir', 'DAQmx_Val_Save_Overwrite',
'DAQmx_Val_USBbulk', 'DAQmx_AnlgEdge_StartTrig_Slope',
'DAQmxErrorEveryNSampsAcqIntoBufferNotForOutput',
'DAQmxGetScaleTableScaledVals', 'DAQmxGetStartTrigDelay',
'DAQmxGetCITCReached', 'DAQmxSetAISampAndHoldEnable',
'DAQmxErrorCouldNotReserveLinesForSCXIControl',
'DAQmxResetAIExcitUseForScaling',
'DAQmx_Val_Switch_Topology_2501_2_Wire_Dual_12x1_Mux',
'DAQmx_Exported_SyncPulseEvent_OutputTerm',
'DAQmxErrorRangeSyntaxNumberTooBig',
'DAQmxErrorPALResourceOwnedBySystem',
'DAQmx_AI_Excit_VoltageOrCurrent',
'DAQmx_AI_Lowpass_CutoffFreq', 'DAQmx_DigEdge_RefTrig_Src',
'DAQmxErrorCantGetPropertyTaskNotRunning',
'DAQmxErrorCannotSelfCalDuringExtCal',
'DAQmxSaveGlobalChan',
'DAQmxSetSampClkDigFltrTimebaseRate',
'DAQmxErrorNoChansOfGivenTypeInTask',
'DAQmxErrorInvalidIdentifierInListFollowingDeviceID',
'DAQmxSetCISemiPeriodDigFltrTimebaseRate',
'DAQmxErrorPALTransferOverwritten', 'DAQmx_AO_Max',
'DAQmx_DigLvl_PauseTrig_DigFltr_Enable',
'DAQmxGetPersistedScaleAllowInteractiveDeletion',
'DAQmxErrorCalibrationFailed',
'DAQmxErrorInvalidLineGrouping', 'DAQmx_Val_Hz',
'DAQmxGetDeviceAttribute',
'DAQmxGetExportedChangeDetectEventOutputTerm',
'DAQmx_Val_Position_LVDT', 'DAQmxErrorInvalidAOChanOrder',
'DAQmxSetAODACRefExtSrc',
'DAQmxErrorInvalidGainBasedOnMinMax',
'DAQmxErrorInvalidAIChanOrder', 'DAQmxSetAIThrmcplCJCVal',
'DAQmx_CO_Pulse_Freq_Units',
'DAQmx_Val_Switch_Topology_2501_2_Wire_4x6_Matrix',
'DAQmxResetAIRVDTUnits',
'DAQmxResetDigEdgeArmStartTrigDigFltrEnable',
'DAQmxSetCIEncoderAInputTerm',
'DAQmxSetAIRawDataCompressionType',
'DAQmxResetArmStartTrigType',
'DAQmxGetExportedSignalAttribute', 'DAQmxCreateCIFreqChan',
'DAQmxGetCIEncoderAInputDigFltrMinPulseWidth',
'DAQmxErrorPALComponentCircularDependency',
'DAQmxErrorDigFilterIntervalNotEqualForLines',
'DAQmx_DO_InvertLines',
'DAQmxErrorMultipleActivePhysChansNotSupported',
'DAQmxErrorInvalidRangeOfObjectsSyntaxInString',
'DAQmxGetSwitchChanMaxDCVoltage',
'DAQmxGetAnlgEdgeRefTrigLvl',
'DAQmxErrorNoPathToDisconnect',
'DAQmxErrorEEPROMDataInvalid',
'DAQmx_Val_Switch_Topology_1191_Quad_4x1_Mux',
'DAQmxGetExportedChangeDetectEventPulsePolarity',
'DAQmxGetAIResolution', 'DAQmxResetAODataXferReqCond',
'DAQmxGetAOLoadImpedance', 'DAQmx_Val_Temp_RTD',
'DAQmx_AnlgWin_PauseTrig_When',
'DAQmxResetAODACRefAllowConnToGnd',
'DAQmxErrorAIMinTooSmall', 'DAQmxResetSwitchScanBreakMode',
'DAQmx_AIConv_Timebase_Src',
'DAQmxErrorInvalidWaveformLengthBeforeIfElseBlockInScript',
'DAQmxResetExported10MHzRefClkOutputTerm',
'DAQmxErrorRuntimeAborted_Routing', 'DAQmx_AI_Thrmstr_R1',
'DAQmx_Val_ActiveLow', 'DAQmxSetSwitchChanUsage',
'DAQmxSetCIPeriodTerm', 'DAQmx_Val_Task_Abort',
'DAQmxGetCIPeriodDigFltrTimebaseRate', 'DAQmx_AI_MeasType',
'DAQmxSetExportedAIHoldCmpltEventOutputTerm',
'DAQmxGetAIExcitVal', 'DAQmxSetDigEdgeArmStartTrigEdge',
'DAQmxSetAODACOffsetSrc',
'DAQmxErrorFREQOUTCannotProduceDesiredFrequency',
'DAQmxErrorNoRegenWhenUsingBrdMem',
'DAQmx_Val_Switch_Topology_1130_4_Wire_64x1_Mux',
'DAQmxError2OutputPortCombinationGivenSampTimingType653x',
'DAQmxErrorTEDSIncompatibleSensorAndMeasType',
'DAQmx_Val_Switch_Topology_2599_2_SPDT',
'DAQmx_RealTime_NumOfWarmupIters',
'DAQmxCreateAIDeviceTempChan',
'DAQmx_Val_Switch_Topology_1193_Quad_4x1_Terminated_Mux',
'DAQmxCreateCOPulseChanFreq',
'DAQmx_AI_SoundPressure_Units',
'DAQmxWarningInputTerminationOverloaded',
'DAQmxGetAITempUnits', 'DAQmx_Val_DegC',
'DAQmx_SampClk_ActiveEdge',
'DAQmxErrorEmptyPhysChanInPowerUpStatesArray',
'DAQmx_Val_DegF', 'DAQmxSetDigitalPowerUpStates',
'DAQmxGetAOUseOnlyOnBrdMem', 'DAQmxGetAOOutputType',
'DAQmxErrorDeviceRemoved',
'DAQmxResetCITwoEdgeSepSecondDigFltrEnable',
'DAQmx_Val_DegR', 'DAQmx_Val_Internal',
'DAQmxGetRealTimeWaitForNextSampClkWaitMode',
'DAQmxSetRealTimeConvLateErrorsToWarnings',
'DAQmx_SwitchScan_BreakMode',
'DAQmxErrorPALDeviceNotSupported',
'DAQmxErrorPALRetryLimitExceeded',
'DAQmxErrorDACRngLowNotMinusRefValNorZero',
'DAQmxResetCOPulseTimeInitialDelay',
'DAQmxSetCIEncoderZInputTerm', 'DAQmxGetScaleScaledUnits',
'DAQmx_Write_SpaceAvail',
'DAQmx_Exported_CtrOutEvent_OutputTerm',
'DAQmxSetAITermCfg',
'DAQmxResetExportedStartTrigOutputTerm',
'DAQmx_CI_CtrTimebase_DigFltr_Enable',
'DAQmxErrorChangeDetectionChanNotInTask',
'DAQmxErrorVirtualChanDoesNotExist',
'DAQmxErrorCannotTristateBusyTerm',
'DAQmxResetSampClkTimebaseRate',
'DAQmxGetCIEncoderBInputDigFltrTimebaseRate',
'DAQmxErrorNotEnoughSampsWrittenForInitialXferRqstCondition',
'DAQmxReadCounterScalarU32', 'DAQmx_AI_Impedance',
'DAQmx_SwitchDev_SwitchChanList',
'DAQmxErrorExtCalTemperatureNotDAQmx',
'DAQmx_Val_MostRecentSamp',
'DAQmxErrorInvalidSampAndMasterTimebaseRateCombo',
'DAQmxErrorFinitePulseTrainNotPossible',
'DAQmxResetAIAccelSensitivity',
'DAQmxErrorExpectedConnectOperatorInList',
'DAQmxWarningADCOverloaded',
'DAQmxResetCOCtrTimebaseDigFltrEnable',
'DAQmxErrorReadyForTransferOutputTermNotSupportedGivenTimingType',
'DAQmxErrorInvalidSampRateConsiderRIS',
'DAQmxSetCICtrTimebaseSrc',
'DAQmxResetCICountEdgesDirTerm',
'DAQmxResetAIBridgeInitialVoltage',
'DAQmx_Val_Switch_Topology_1130_4_Wire_Quad_16x1_Mux',
'DAQmxGetExportedHshkEventOutputTerm',
'DAQmxErrorReferenceFrequencyInvalid',
'DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseSrc',
'DAQmxErrorCalPasswordNotSupported',
'DAQmxSetCIPulseWidthTerm',
'DAQmxSetExportedHshkEventInterlockedDeassertDelay',
'DAQmxResetAIConvSrc', 'DAQmx_AnlgEdge_StartTrig_Hyst',
'DAQmxSetCIDataXferMech', 'DAQmxCreateAIAccelChan',
'DAQmxErrorGlobalTaskNameAlreadyChanName',
'DAQmxSetDIDigFltrEnable',
'DAQmxErrorTableScalePreScaledValsNotSpecd',
'DAQmxGetAILowpassCutoffFreq',
'DAQmxErrorConnectionNotPermittedOnChanReservedForRouting',
'DAQmxErrorZeroBasedChanIndexInvalid',
'DAQmxWarningPALFirmwareFault',
'DAQmx_AI_ACExcit_SyncEnable',
'DAQmxResetHshkDelayAfterXfer',
'DAQmxWriteAnalogScalarF64',
'DAQmxResetCOCtrTimebaseDigFltrTimebaseRate',
'DAQmxGetWriteTotalSampPerChanGenerated',
'DAQmxSetCIFreqTerm', 'DAQmxSetCIPulseWidthUnits',
'DAQmxErrorSelfCalDateTimeNotDAQmx',
'DAQmxSetCIPeriodDigSyncEnable',
'DAQmx_Val_Switch_Topology_2530_2_Wire_Dual_32x1_Mux',
'DAQmx_CI_Freq_DigFltr_TimebaseSrc',
'DAQmxResetCICountEdgesDigFltrTimebaseSrc',
'DAQmxErrorNoSyncPulseExtSampClkTimebase',
'DAQmxErrorValueOutOfRange',
'DAQmxErrorDeviceDoesNotSupportDMADataXferForNonBufferedAcq',
'DAQmxWarningPALTransferNotInProgress',
'DAQmxErrorBufferWithHWTimedSinglePointSampMode',
'DAQmxErrorWaveformPreviouslyAllocated',
'DAQmxErrorAnalogWaveformExpected',
'DAQmx_DigLvl_PauseTrig_Src',
'DAQmxResetCIPulseWidthDigFltrEnable',
'DAQmxResetSampClkTimebaseDiv',
'DAQmx_AnlgEdge_StartTrig_Src',
'DAQmxGetDIDigFltrMinPulseWidth', 'DAQmxResetAIExcitSrc',
'DAQmxErrorRoutingDestTermPXIStarInSlot16AndAbove',
'DAQmx_Val_ChangeDetectionEvent',
'DAQmxErrorTaskVersionNew', 'DAQmxErrorPALHardwareFault',
'DAQmx_AI_Rng_High', 'DAQmxResetAnlgWinRefTrigWhen',
'DAQmxResetCICountEdgesCountDirDigFltrTimebaseSrc',
'DAQmxSetAIChanCalVerifAcqVals',
'DAQmxGetDIDataXferReqCond', 'DAQmxErrorPALSyncTimedOut',
'DAQmxErrorTrigLineNotFoundSingleDevRoute',
'DAQmxErrorFullySpecifiedPathInListContainsRange',
'DAQmxWarningValueNotInSet',
'DAQmxSwitchSetTopologyAndReset',
'DAQmx_Val_Switch_Topology_2575_2_Wire_98x1_Mux',
'DAQmx_CI_Freq_StartingEdge', 'DAQmxErrorPALMemoryFull',
'DAQmxErrorMarkerPositionOutsideSubsetInScript',
'DAQmxWarningPALTransferInProgress',
'DAQmxErrorInvalidActionInControlTask',
'DAQmxGetAOCustomScaleName',
'DAQmxErrorMarkerPositionNotAlignedInScript',
'DAQmxSetTimingAttribute',
'DAQmxErrorDAQmxSignalEventTypeNotSupportedByChanTypesOrDevicesInTask',
'DAQmxWarningPALBadWriteMode',
'DAQmxGetSwitchDevSettlingTime',
'DAQmxErrorPortConfiguredForOutput',
'DAQmxErrorParsingTEDSData', 'DAQmxWarningPALOSFault',
'DAQmxGetAIBridgeCfg', 'DAQmxGetCIPrescaler',
'DAQmx_Write_RegenMode',
'DAQmx_Val_Switch_Topology_2527_2_Wire_32x1_Mux',
'DAQmxErrorInvalidTimingType',
'DAQmxErrorOnlyFrontEndChanOpsDuringScan',
'DAQmxCreateDOChan', 'DAQmxErrorWatchdogTimerNotSupported',
'DAQmxErrorConfiguredTEDSInterfaceDevNotDetected',
'DAQmxErrorCorruptedTEDSMemory', 'DAQmx_AO_ReglitchEnable',
'DAQmx_SwitchDev_Topology',
'DAQmxErrorLeadingUnderscoreInString',
'DAQmx_AI_Strain_Units', 'DAQmx_Val_SameAsSampTimebase',
'DAQmxErrorNoChansSpecdForChangeDetect',
'DAQmxGetSwitchChanMaxDCSwitchCurrent',
'DAQmxResetAILowpassSwitchCapOutClkDiv',
'DAQmxSetCOPulseTicksInitialDelay',
'DAQmx_SwitchChan_Impedance',
'DAQmxErrorEventDelayOutOfRange',
'DAQmxErrorPALResourceBusy',
'DAQmxGetDigEdgeArmStartTrigDigFltrEnable',
'DAQmxErrorTrigAIMinAIMax', 'DAQmxResetCOPulseLowTime',
'DAQmxResetCOPulseHighTime',
'DAQmxGetOnDemandSimultaneousAOEnable',
'DAQmxSetScalePreScaledUnits',
'DAQmxErrorChannelNameGenerationNumberTooBig',
'DAQmx_Val_FirstSample', 'DAQmxSetAnlgWinPauseTrigTop',
'DAQmxSetAICustomScaleName',
'DAQmxErrorPortConfiguredForInput',
'DAQmx_DigEdge_RefTrig_Edge',
'DAQmx_Exported_HshkEvent_OutputTerm',
'DAQmx_Read_AutoStart', 'DAQmxDisableAdvTrig',
'DAQmx_ExtCal_LastTemp', 'DAQmxErrorPALSoftwareFault',
'DAQmxErrorInterconnectBridgeRouteReserved',
'DAQmx_Val_ChanForAllLines',
'DAQmx_Val_HandshakeTriggerAsserts',
'DAQmxErrorExtSampClkRateTooHighForBackplane',
'DAQmx_CI_SemiPeriod_Units',
'DAQmxSetDigEdgeStartTrigDigFltrTimebaseSrc',
'DAQmxSetCICountEdgesActiveEdge', 'DAQmx_Val_Custom',
'DAQmxGetAIRawSampJustification',
'DAQmx_Val_Switch_Topology_2593_8x1_Terminated_Mux',
'DAQmx_Val_PathStatus_Unsupported',
'DAQmxGetAODACOffsetSrc',
'DAQmxErrorAIDuringCounter0DMAConflict',
'DAQmxSetAICoupling',
'DAQmx_DigEdge_ArmStartTrig_DigSync_Enable',
'DAQmxWarningPotentialGlitchDuringWrite',
'DAQmx_AI_Bridge_InitialVoltage',
'DAQmx_CI_PulseWidth_DigFltr_MinPulseWidth',
'DAQmx_AI_Min', 'DAQmx_Val_Switch_Topology_2569_100_SPST',
'DAQmx_AI_RVDT_Units', 'DAQmxResetCIPulseWidthTerm',
'DAQmxErrorIncompatibleSensorOutputAndDeviceInputRanges',
'DAQmxResetExportedAdvCmpltEventPulsePolarity',
'DAQmxErrorPALFileWriteFault', 'DAQmx_Val_N_Type_TC',
'DAQmxErrorTermWithoutDevInMultiDevTask',
'DAQmxErrorNoHWTimingWithOnDemand',
'DAQmxResetAODACRefSrc',
'DAQmxResetExportedSampClkPulsePolarity',
'DAQmxResetExportedSampClkTimebaseOutputTerm',
'DAQmx_AnlgWin_PauseTrig_Top',
'DAQmxErrorRefTrigOutputTermNotSupportedGivenTimingType',
'DAQmxErrorExtSampClkRateTooLowForClkIn',
'DAQmxErrorInvalidReadPosDuringRIS',
'DAQmxErrorMarkerPosInvalidBeforeIfElseBlockInScript',
'DAQmxErrorAcqStoppedToPreventIntermediateBufferOverflow',
'DAQmxResetAIChanCalVerifRefVals',
'DAQmxErrorUnexpectedIDFollowingRelayNameInList',
'DAQmxErrorTEDSNotSupported', 'DAQmxSetReadChannelsToRead',
'DAQmxErrorCTROutSampClkPeriodShorterThanGenPulseTrainPeriod',
'DAQmx_CI_Encoder_ZInput_DigFltr_MinPulseWidth',
'DAQmxError3InputPortCombinationGivenSampTimingType653x',
'DAQmxErrorReadNotCompleteBefore3SampClkEdges',
'DAQmxErrorRefTrigMasterSessionUnavailable',
'DAQmxResetDigLvlPauseTrigDigFltrTimebaseRate',
'DAQmxSetAIExcitSrc', 'DAQmxWaitForNextSampleClock',
'DAQmxErrorSwitchDifferentSettlingTimeWhenScanning',
'DAQmx_Val_Once', 'DAQmxGetSwitchChanImpedance',
'DAQmxGetCIPeriodMeasMeth', 'DAQmx_AnlgWin_RefTrig_When',
'DAQmxErrorCanNotPerformOpWhileTaskRunning',
'DAQmxErrorRangeWithTooManyObjects',
'DAQmx_AO_DataXferMech',
'DAQmxResetCICtrTimebaseActiveEdge',
'DAQmxSetAnlgWinRefTrigBtm', 'DAQmxSetDigEdgeAdvTrigEdge',
'DAQmxResetTimingAttribute', 'DAQmxCfgImplicitTiming',
'DAQmxGetExportedHshkEventInterlockedAssertOnStart',
'DAQmxWarningCAPIStringTruncatedToFitBuffer',
'DAQmxSetCOCtrTimebaseDigFltrTimebaseRate',
'DAQmxErrorDevAlreadyInTask',
'DAQmx_Val_OnbrdMemCustomThreshold',
'DAQmxErrorInterruptsInsufficientDataXferMech',
'DAQmxSetCIPeriodMeasTime', 'DAQmxSetAIRngLow',
'DAQmxResetRefClkSrc',
'DAQmxErrorCAPIReservedParamNotZero',
'DAQmx_Val_CounterOutputEvent', 'DAQmxGetAODACRefSrc',
'DAQmx_Val_Switch_Topology_1190_Quad_4x1_Mux',
'DAQmxSetAnlgEdgeRefTrigLvl',
'DAQmx_CI_Encoder_AInput_DigFltr_TimebaseRate',
'DAQmx_AI_RTD_C', 'DAQmxCreateAIVoltageChan',
'DAQmxErrorOutputBoardClkDCMBecameUnlocked',
'DAQmxGetCITimestampUnits',
'DAQmxGetAILowpassSwitchCapExtClkFreq',
'DAQmx_AI_Freq_Hyst',
'DAQmxGetChangeDetectDIFallingEdgePhysicalChans',
'DAQmxErrorVirtualTEDSDataFileError',
'DAQmxErrorInvalidRangeStatementCharInList',
'DAQmx_Val_LossyLSBRemoval',
'DAQmxErrorWhenAcqCompAndNoRefTrig',
'DAQmxErrorTrigWindowAIMinAIMaxCombo',
'DAQmx_AI_Resistance_Units', 'DAQmx_AI_Thrmcpl_CJCChan',
'DAQmxWarningCOPrevDAQmxWriteSettingsOverwrittenForHWTimedSinglePoint',
'DAQmxErrorReadAllAvailableDataWithoutBuffer',
'DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseRate',
'DAQmx_CI_CountEdges_DigFltr_Enable',
'DAQmx_Val_Switch_Topology_2503_1_Wire_48x1_Mux',
'DAQmxErrorGlobalChanCannotBeSavedSoInteractiveEditsAllowed',
'DAQmxErrorIncorrectNumChannelsToWrite',
'DAQmxWarningPALBadThreadMultitask',
'DAQmx_Write_CurrWritePos', 'DAQmxSetCIPeriodStartingEdge',
'DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseRate',
'DAQmxSetExportedChangeDetectEventPulsePolarity',
'DAQmx_Val_2Wire', 'DAQmxErrorDigFilterAndSyncBothEnabled',
'DAQmxErrorCouldNotDownloadFirmwareHWDamaged',
'DAQmxResetCITimestampUnits',
'DAQmxErrorMinAndMaxNotSymmetric', 'DAQmx_Val_Task_Verify',
'DAQmxErrorCAPINoExtendedErrorInfoAvailable',
'DAQmxErrorCannotWriteNotStartedAutoStartFalseNotOnDemandHWTimedSglPt',
'DAQmx_Val_Switch_Topology_2598_Dual_Transfer',
'DAQmxGetCICountEdgesDigFltrTimebaseSrc',
'DAQmx_AnlgEdge_RefTrig_Slope', 'DAQmxGetCalInfoAttribute',
'DAQmxErrorWriteNumChansMismatch',
'DAQmxGetAIDitherEnable', 'DAQmx_CI_PulseWidth_Units',
'DAQmxResetCIPeriodDigSyncEnable',
'DAQmx_PersistedScale_Author',
'DAQmxErrorUnableToDetectExtStimulusFreqDuringCal',
'DAQmxErrorGetPropertyNotInputBufferedTask',
'DAQmxSetCOCtrTimebaseDigFltrEnable',
'DAQmx_AO_DAC_Offset_Val', 'DAQmxSetAIFreqUnits',
'DAQmxErrorInvalidCalGain',
'DAQmx_Val_Switch_Topology_2532_2_Wire_4x64_Matrix',
'DAQmx_DI_DigFltr_Enable', 'DAQmx_Val_X4',
'DAQmx_Dev_IsSimulated', 'DAQmx_Val_X1', 'DAQmx_Val_X2',
'DAQmxSetAIStrainGageCfg',
'DAQmxWarningCounter0DMADuringAIConflict',
'DAQmxResetWatchdogTimeout', 'DAQmxResetAIDitherEnable',
'DAQmxGetAISampAndHoldEnable',
'DAQmxGetDigEdgeStartTrigSrc',
'DAQmxErrorChanSizeTooBigForU8PortWrite',
'DAQmxSetCOPulseHighTicks', 'DAQmxWriteBinaryU16',
'DAQmxSetAIChanCalPolyForwardCoeff',
'DAQmxGetAIConvActiveEdge',
'DAQmxSetCICountEdgesDigSyncEnable',
'DAQmxCfgAnlgEdgeStartTrig', 'DAQmxErrorPALComponentBusy',
'DAQmxErrorProgFilterClkCfgdToDifferentMinPulseWidthByAnotherTask1PerDev',
'DAQmxWarningChanCalExpired', 'DAQmxSetCalUserDefinedInfo',
'DAQmxErrorEmptyString', 'DAQmx_AO_DAC_Offset_ExtSrc',
'DAQmxGetReadDigitalLinesBytesPerChan',
'DAQmxResetAIConvTimebaseDiv',
'DAQmxGetPhysicalChanTEDSModelNum',
'DAQmxGetSampClkDigSyncEnable',
'DAQmxGetSwitchChanMaxACSwitchPwr',
'DAQmxErrorInputFIFOOverflow',
'DAQmxSetAIAccelSensitivityUnits',
'DAQmx_CI_LinEncoder_InitialPos',
'DAQmxResetAnlgWinPauseTrigBtm',
'DAQmxResetWriteRelativeTo', 'DAQmx_Val_J_Type_TC',
'DAQmx_Val_Switch_Topology_1160_16_SPDT',
'DAQmxResetAIExcitActualVal', 'DAQmxErrorPALBadSelector',
'DAQmxSetSampClkTimebaseSrc',
'DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseSrc',
'DAQmxResetChangeDetectDIRisingEdgePhysicalChans',
'DAQmxErrorWriteWhenTaskNotRunningCOFreq',
'DAQmxGetExportedSampClkPulsePolarity',
'DAQmxGetSwitchChanMaxDCSwitchPwr', 'int64',
'DAQmxErrorChanCalExpired', 'DAQmxGetDigEdgeStartTrigEdge',
'DAQmxIsReadOrWriteLate',
'DAQmx_AI_Microphone_Sensitivity',
'DAQmxErrorSuitableTimebaseNotFoundTimeCombo2',
'DAQmxGetDigEdgeArmStartTrigDigSyncEnable',
'DAQmx_Val_Temp_TC', 'DAQmxSetAnlgWinRefTrigSrc',
'DAQmxGetExportedCtrOutEventPulsePolarity',
'DAQmxSetCIFreqMeasMeth', 'DAQmxErrorAttrCannotBeRead',
'DAQmxWarningSampValCoercedToMin',
'DAQmxErrorNoChangeDetectOnNonInputDigLineForDev',
'DAQmx_Val_Switch_Topology_1129_2_Wire_Quad_4x16_Matrix',
'DAQmxResetAIChanCalTablePreScaledVals',
'DAQmxResetAIConvActiveEdge',
'DAQmxErrorDAQmxSWEventsWithDifferentCallMechanisms',
'DAQmxGetScaleLinYIntercept',
'DAQmxErrorRoutingPathNotAvailable',
'DAQmxErrorCantMaintainExistingValueAOSync',
'DAQmxGetCICtrTimebaseActiveEdge',
'DAQmxErrorDevCannotBeAccessed', 'DAQmx_Val_Poll',
'DAQmx_CO_CtrTimebase_DigFltr_MinPulseWidth',
'DAQmxErrorUnitsNotFromCustomScale',
'DAQmx_SampClk_Timebase_ActiveEdge',
'DAQmxErrorMultiDevsInTask', 'DAQmxResetCICtrTimebaseSrc',
'DAQmxResetBufOutputOnbrdBufSize',
'DAQmx_DigPattern_RefTrig_Pattern',
'DAQmxErrorCVIFailedToLoadDAQmxDLL',
'DAQmxErrorInvalidCfgCalAdjustDirectPathOutputImpedance',
'DAQmxSetDelayFromSampClkDelayUnits',
'DAQmxSetAIChanCalCalDate',
'DAQmx_Val_Switch_Topology_2527_Independent',
'DAQmxSetScaleMapPreScaledMax',
'DAQmxErrorNoDevMemForWaveform',
'DAQmxGetBufOutputOnbrdBufSize',
'DAQmxErrorCannotSetPropertyWhenHWTimedSinglePointTaskIsRunning',
'DAQmxSetDITristate', 'DAQmxSetCIAngEncoderInitialAngle',
'DAQmxSetWriteRelativeTo', 'DAQmxSetReadRelativeTo',
'DAQmx_Val_Toggle',
'DAQmxErrorExportSignalPolarityNotSupportedByHW',
'DAQmx_Val_External', 'DAQmxGetAIRVDTSensitivity',
'DAQmxResetDigEdgeStartTrigDigSyncEnable',
'DAQmxGetDODataXferMech',
'DAQmxErrorChannelNameNotSpecifiedInList',
'DAQmxSetAIRTDR0', 'DAQmxErrorRefAndPauseTrigConfigured',
'DAQmx_AI_Dither_Enable', 'DAQmxResetAOUseOnlyOnBrdMem',
'DAQmxGetCIEncoderAInputDigFltrTimebaseSrc',
'DAQmx_AnlgWin_StartTrig_Btm',
'DAQmxGetCIEncoderAInputDigSyncEnable',
'DAQmxErrorPALValueConflict',
'DAQmxErrorInvalidDigDataWrite', 'DAQmxGetAICoupling',
'DAQmxSetExportedCtrOutEventOutputTerm',
'DAQmxSetScaleTablePreScaledVals', 'DAQmx_Val_Cont',
'DAQmxGetAIRawSampSize', 'DAQmx_Scale_Table_ScaledVals',
'DAQmxSetReadWaitMode',
'DAQmxSetExportedSampClkPulsePolarity',
'DAQmxErrorPALBusResetOccurred', 'DAQmx_CI_Freq_Div',
'DAQmxGetCITwoEdgeSepSecondDigSyncEnable',
'DAQmxResetCIAngEncoderInitialAngle',
'DAQmxSetCIPulseWidthDigFltrTimebaseSrc',
'DAQmxResetStartTrigType', 'DAQmxResetAODACRefConnToGnd',
'DAQmxErrorDigInputOverrun', 'DAQmxSetAIThrmstrC',
'DAQmxSetAIThrmstrB', 'DAQmxSetAIThrmstrA',
'DAQmxReadBinaryI16', 'DAQmxErrorPALBadCount',
'DAQmxErrorPALOSInitializationFault',
'DAQmxGetAIChanCalTablePreScaledVals',
'DAQmxGetSampClkTimebaseMasterTimebaseDiv',
'DAQmx_Val_Table', 'DAQmx_Val_R_Type_TC',
'DAQmxErrorRoutingSrcTermPXIStarInSlot16AndAbove',
'DAQmxErrorNoAvailTrigLinesOnDevice',
'DAQmx_AnlgEdge_RefTrig_Lvl',
'DAQmxErrorCalFunctionNotSupported',
'DAQmxDeleteSavedGlobalChan', 'DAQmxErrorPrimingCfgFIFO',
'DAQmxGetExportedAdvTrigOutputTerm',
'DAQmxErrorSampClkRateUnavailable',
'DAQmx_Exported_AIHoldCmpltEvent_PulsePolarity',
'DAQmxErrorReadDataTypeTooSmall',
'DAQmxErrorAcqStoppedToPreventInputBufferOverwriteOneDataXferMech',
'DAQmxGetAIInputSrc', 'DAQmxSwitchGetSingleRelayCount',
'DAQmxGetCICountEdgesDigFltrEnable',
'DAQmxErrorInvalidExtClockFreqAndDivCombo',
'DAQmxGetDigEdgeStartTrigDigFltrTimebaseSrc',
'DAQmx_Task_Channels',
'DAQmx_Val_Switch_Topology_1129_2_Wire_Dual_8x16_Matrix',
'DAQmxErrorResourcesInUseForProperty_Routing',
'DAQmx_Watchdog_DO_ExpirState',
'DAQmxGetCIEncoderDecodingType', 'DAQmx_Val_IRIGB',
'DAQmxResetCICountEdgesDigFltrTimebaseRate',
'DAQmxAdjustDSAAOCal', 'DAQmxResetCITwoEdgeSepFirstTerm',
'DAQmxErrorPatternMatcherMayBeUsedByOneTrigOnly',
'DAQmxGetCIPeriodMeasTime', 'DAQmx_Val_Pt3916',
'DAQmxSetDigEdgeArmStartTrigDigSyncEnable',
'DAQmxResetAIBridgeNomResistance',
'DAQmxGetCIEncoderBInputDigFltrEnable',
'DAQmxErrorInvalidAttributeValue',
'DAQmxResetAIChanCalOperatorName',
'DAQmxErrorNoCommonTrigLineForRoute_Routing',
'DAQmxGetCIMax',
'DAQmxErrorInversionNotSupportedByHW_Routing',
'DAQmxResetCIEncoderZIndexPhase',
'DAQmx_SwitchDev_PwrDownLatchRelaysAfterSettling',
'DAQmxResetCOAutoIncrCnt',
'DAQmxSetSyncPulseMinDelayToStart',
'DAQmxResetAODACOffsetSrc',
'DAQmxGetPhysicalChanTEDSVersionNum',
'DAQmxErrorOutputFIFOUnderflow2',
'DAQmxResetExportedAdvTrigPulseWidthUnits',
'DAQmxResetCIPeriodTerm', 'DAQmx_AI_DevScalingCoeff',
'DAQmx_Read_WaitMode',
'DAQmx_Exported_20MHzTimebase_OutputTerm',
'DAQmx_AI_Excit_DCorAC',
'DAQmxResetDigEdgeWatchdogExpirTrigSrc',
'DAQmxErrorDigSyncNotAvailableOnTerm',
'DAQmxResetExportedSampClkOutputBehavior',
'DAQmxErrorRoutingDestTermPXIClk10InNotInSlot2',
'DAQmxResetCIEncoderAInputDigFltrEnable',
'DAQmx_AIConv_Src', 'DAQmx_SampTimingType',
'DAQmxWarningPALDispatcherAlreadyExported',
'DAQmxGetAnlgLvlPauseTrigWhen', 'DAQmxSetCIPeriodMeasMeth',
'DAQmxSetCIPulseWidthDigFltrEnable',
'DAQmxGetCOCtrTimebaseMasterTimebaseDiv',
'DAQmxWarningPALBadDataSize', 'DAQmxErrorPALBadWindowType',
'DAQmxErrorExtCalAdjustExtRefVoltageFailed',
'DAQmxGetCIEncoderBInputTerm',
'DAQmxErrorUnsupportedSignalTypeExportSignal',
'DAQmxCreateCIPeriodChan', 'DAQmx_Val_SampleClock',
'DAQmxErrorTimeoutExceeded',
'DAQmxErrorWaveformWriteOutOfBounds',
'DAQmxErrorRoutingDestTermPXIStarInSlot2',
'DAQmx_Val_Switch_Topology_1167_Independent',
'DAQmxResetSampClkDigFltrTimebaseSrc',
'DAQmxResetAIConvRate',
'DAQmxErrorMStudioPropertyGetWhileTaskNotVerified',
'DAQmxErrorCounterNoTimebaseEdgesBetweenGates',
'DAQmxSetSampQuantSampMode',
'DAQmxErrorHWTimedSinglePointOddNumChansInAITask',
'DAQmxErrorRangeWithoutAConnectActionInList',
'DAQmxErrorInvalidCfgCalAdjustMainPathOutputImpedance',
'DAQmxErrorPALMessageQueueFull',
'DAQmxEveryNSamplesEventCallbackPtr',
'DAQmxResetCIPeriodMeasMeth',
'DAQmx_AnlgLvl_PauseTrig_Hyst',
'DAQmxErrorCOInvalidTimingSrcDueToSignal',
'DAQmxSetAILowpassSwitchCapClkSrc',
'DAQmxResetCOPulseHighTicks', 'DAQmxGetChanType',
'DAQmxErrorPALBadDevice',
'DAQmxErrorNoInputOnPortCfgdForWatchdogOutput',
'DAQmx_Val_Finite', 'DAQmxGetAODACRngLow',
'DAQmx_AI_RawDataCompressionType',
'DAQmxErrorTrigLineNotFoundSingleDevRoute_Routing',
'DAQmxResetRealTimeReportMissedSamp',
'DAQmxGetCIFreqDigFltrMinPulseWidth',
'DAQmx_Val_Voltage_CustomWithExcitation',
'DAQmxGetPersistedChanAttribute',
'DAQmxErrorPALMemoryAlignmentFault',
'DAQmxCreateCOPulseChanTicks',
'DAQmxResetCIPeriodStartingEdge',
'DAQmxErrorInvalidRefClkRate',
'DAQmxSignalEventCallbackPtr',
'DAQmxGetDigLvlPauseTrigDigFltrTimebaseRate',
'DAQmxGetExportedAIConvClkOutputTerm',
'DAQmxResetCISemiPeriodDigSyncEnable',
'DAQmxErrorDeviceDoesNotSupportScanning',
'DAQmxResetRefTrigPretrigSamples',
'DAQmxSetAICurrentShuntResistance', 'DAQmxResetAIRngHigh',
'DAQmxWarningRateViolatesMaxADCRate',
'DAQmxErrorWhenAcqCompAndNumSampsPerChanExceedsOnBrdBufSize',
'DAQmx_Val_CountUp', 'DAQmxErrorPALResourceAmbiguous',
'DAQmxResetAILowpassSwitchCapExtClkDiv',
'DAQmx_AI_SoundPressure_MaxSoundPressureLvl',
'DAQmxSetCICountEdgesDigFltrEnable', 'DAQmxErrorDCMLock',
'DAQmxErrorTwoWaitForTrigsAfterConnectionInScanlist',
'DAQmx_Val_WriteToPROM',
'DAQmx_CI_Encoder_AInput_DigSync_Enable',
'DAQmx_ExtCal_RecommendedInterval',
'DAQmx_Val_Switch_Topology_1130_2_Wire_4x32_Matrix',
'DAQmx_Val_Switch_Topology_1193_Dual_16x1_Mux',
'DAQmx_Hshk_StartCond',
'DAQmx_CI_CountEdges_CountDir_DigSync_Enable',
'DAQmxResetExportedChangeDetectEventPulsePolarity',
'DAQmxGetExportedRefTrigOutputTerm',
'DAQmxErrorInvalidSampClkSrc',
'DAQmx_SampClk_Timebase_Rate', 'DAQmxErrorCtrMinMax',
'DAQmx_Val_OnBrdMemEmpty',
'DAQmx_Val_Switch_Topology_1128_2_Wire_32x1_Mux',
'DAQmxSetExportedCtrOutEventOutputBehavior',
'DAQmxErrorInvalidCalArea',
'DAQmxErrorCannotGetPropertyWhenTaskNotCommittedOrRunning',
'DAQmxGetAIStrainGageGageFactor',
'DAQmxGetPersistedTaskAuthor',
'DAQmxResetAIRawDataCompressionType',
'DAQmxErrorCantSaveNonPortMultiLineDigChanSoInteractiveEditsAllowed',
'DAQmxResetReadReadAllAvailSamp',
'DAQmxSetAIConvTimebaseSrc',
'DAQmxErrorInputFIFOUnderflow',
'DAQmxErrorLinesUsedForStaticInputNotForHandshakingControl',
'DAQmxCreateTEDSAIThrmcplChan',
'DAQmxGetAIBridgeBalanceCoarsePot',
'DAQmxErrorDSFReadyForOutputNotAsserted',
'DAQmx_AI_RTD_R0', 'DAQmx_Val_QuarterBridgeII',
'DAQmx_SwitchChan_MaxDCCarryCurrent',
'DAQmxSetScaleTableScaledVals',
'DAQmxGetDigEdgeRefTrigSrc',
'DAQmxGetCOCtrTimebaseActiveEdge',
'DAQmxGetCIEncoderBInputDigFltrMinPulseWidth',
'DAQmxGetExportedSampClkOutputTerm', 'DAQmx_AdvTrig_Type',
'DAQmxSetAOReglitchEnable', 'DAQmxErrorPALComponentTooNew',
'DAQmxErrorInconsistentChannelDirections',
'DAQmxErrorExplanationNotFound',
'DAQmxGetCIPulseWidthTerm',
'DAQmx_Val_MaintainExistingValue',
'DAQmx_Read_TotalSampPerChanAcquired',
'DAQmxErrorSampRateTooHigh',
'DAQmxErrorExpectedNumberOfChannelsVerificationFailed',
'DAQmxErrorDataSizeMoreThanSizeOfEEPROMOnTEDS',
'DAQmxErrorRoutingSrcTermPXIStarInSlot2_Routing',
'DAQmx_Val_Switch_Topology_2530_2_Wire_Quad_16x1_Mux',
'DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseRate',
'DAQmxGetWriteDigitalLinesBytesPerChan',
'DAQmxSetExportedHshkEventPulsePolarity',
'DAQmxErrorNoCommonTrigLineForImmedRoute',
'DAQmxSetAIFreqHyst', 'DAQmx_SwitchChan_MaxACVoltage',
'DAQmxGetSwitchScanBreakMode',
'DAQmxSetReadReadAllAvailSamp', 'DAQmxErrorPALBusError',
'DAQmxResetCISemiPeriodDigFltrMinPulseWidth',
'DAQmxGetAIRVDTSensitivityUnits',
'DAQmxSendSoftwareTrigger',
'DAQmx_AI_ChanCal_HasValidCalInfo', 'uInt8',
'DAQmxSetAIMin',
'DAQmxErrorAttributeNotSettableWhenTaskIsRunning',
'DAQmxErrorRefTrigTypeNotSupportedGivenTimingType',
'DAQmx_Val_Transferred_From_Buffer',
'DAQmxErrorSCXI1126ThreshHystCombination',
'DAQmx_Val_AandB', 'DAQmx_Val_ClearExpiration',
'DAQmxErrorCustomScaleDoesNotExist',
'DAQmx_CO_CtrTimebaseMasterTimebaseDiv',
'DAQmxGetSampQuantSampMode',
'DAQmxGetCICountEdgesDigFltrMinPulseWidth',
'DAQmxGetAOVoltageUnits',
'DAQmxErrorNoAdvTrigForMultiDevScan',
'DAQmxResetSampQuantSampPerChan',
'DAQmx_CI_TwoEdgeSep_Units',
'DAQmxErrorTooManyChansForAnalogPauseTrig',
'DAQmxResetCITimestampInitialSeconds',
'DAQmxGetAIBridgeShuntCalEnable',
'DAQmxResetAIStrainGageGageFactor',
'DAQmxWarningPALResourceAmbiguous', 'DAQmx_AI_TEDS_Units',
'DAQmxErrorInvalidPhysChanType',
'DAQmxSetDigEdgeRefTrigSrc',
'DAQmxErrorCannotStoreCalConst',
'DAQmxResetAOReglitchEnable', 'DAQmx_Val_Pt3851',
'DAQmxSetAIVoltageUnits', 'DAQmx_CO_Pulse_Time_Units',
'DAQmx_Val_Switch_Topology_1175_2_Wire_98x1_Mux',
'DAQmxGetAIThrmcplCJCChan',
'DAQmxResetCIEncoderBInputDigSyncEnable',
'DAQmxGetSwitchChanMaxACCarryCurrent',
'DAQmxErrorHWTimedSinglePointAOAndDataXferNotProgIO',
'DAQmx_Val_GND', 'DAQmxErrorSwitchNotResetBeforeScan',
'DAQmxErrorTaskNotInDataNeighborhood',
'DAQmxResetAODACRngHigh', 'DAQmxErrorHystTrigLevelAIMin',
'DAQmx_Exported_AdvTrig_Pulse_WidthUnits',
'DAQmxErrorDifferentInternalAIInputSources',
'DAQmxSetExportedAIHoldCmpltEventPulsePolarity',
'DAQmx_SwitchChan_MaxDCSwitchCurrent',
'DAQmxGetDigPatternStartTrigWhen',
'DAQmxErrorRepeatedAIPhysicalChan',
'DAQmxGetMasterTimebaseRate',
'DAQmxResetCICtrTimebaseMasterTimebaseDiv',
'DAQmx_AO_DAC_Ref_Val', 'DAQmx_AnlgWin_RefTrig_Coupling',
'DAQmxErrorDigInputNotSupported',
'DAQmxGetCICountEdgesInitialCnt',
'DAQmxResetCICountEdgesDigFltrEnable',
'DAQmxResetReadChannelsToRead',
'DAQmxErrorSampClkOutputTermIncludesStartTrigSrc',
'DAQmxResetAOMemMapEnable',
'DAQmxErrorCantResetExpiredWatchdog',
'DAQmxErrorInvalidSyntaxForPhysicalChannelRange',
'DAQmxErrorCODAQmxWriteMultipleChans',
'DAQmxSetCITwoEdgeSepSecondTerm',
'DAQmx_Val_HandshakeTriggerDeasserts', 'DAQmx_CI_MeasType',
'DAQmxGetDigPatternRefTrigPattern', 'TRUE',
'DAQmxErrorBracketPairingMismatchInList',
'DAQmxResetAIACExcitSyncEnable',
'DAQmxErrorMasterTbRateMasterTbSrcMismatch',
'DAQmx_Val_K_Type_TC', 'DAQmxSetAOMax',
'DAQmxResetCIFreqUnits', 'DAQmxSetAILVDTSensitivity',
'DAQmxErrorTEDSLegacyTemplateIDInvalidOrUnsupported',
'DAQmxResetAIAtten', 'DAQmx_CI_CountEdges_ActiveEdge',
'DAQmxErrorCannotTristateTerm_Routing',
'DAQmxSetCIFreqDigSyncEnable',
'DAQmxResetCICountEdgesDigSyncEnable',
'DAQmxErrorInvalidWaitDurationBeforeIfElseBlockInScript',
'DAQmx_CI_SemiPeriod_Term', 'DAQmxGetReadAutoStart',
'DAQmx_AI_LossyLSBRemoval_CompressedSampSize',
'DAQmxErrorSuppliedCurrentDataOutsideSpecifiedRange',
'DAQmxErrorSampPerChanNotMultipleOfIncr',
'DAQmxGetChanDescr', 'DAQmxSetCOPulseLowTicks',
'DAQmx_Val_Chan', 'DAQmxResetCOPulseTimeUnits',
'DAQmxErrorEveryNSampsTransferredFromBufferNotForInput',
'DAQmxSetCIEncoderZInputDigSyncEnable',
'DAQmxErrorCOSampModeSampTimingTypeSampClkConflict',
'DAQmxErrorCannotWriteWhenAutoStartFalseAndTaskNotRunning',
'DAQmx_StartTrig_Retriggerable',
'DAQmxSetRealTimeAttribute',
'DAQmx_Val_Switch_Topology_1130_2_Wire_Octal_16x1_Mux',
'DAQmx_Exported_HshkEvent_Interlocked_DeassertDelay',
'DAQmxGetAIStrainGageCfg',
'DAQmx_CI_CountEdges_DigFltr_TimebaseSrc',
'DAQmxErrorLines4To7ConfiguredForOutput',
'DAQmx_Val_SampleCompleteEvent', 'DAQmxSetAIChanCalDesc',
'DAQmxSetAOVoltageUnits',
'DAQmxErrorAnalogMultiSampWriteNotSupported',
'DAQmxWarningPALIrrelevantAttribute',
'DAQmx_Exported_AIHoldCmpltEvent_OutputTerm',
'DAQmxErrorOperationOnlyPermittedWhileScanning',
'DAQmxResetExportedRdyForXferEventLvlActiveLvl',
'DAQmx_CI_Prescaler',
'DAQmxErrorReversePolynomialCoefNotSpecd',
'DAQmxResetCITwoEdgeSepSecondDigSyncEnable',
'DAQmx_Val_OnBrdMemHalfFullOrLess',
'DAQmxErrorOnDemandNotSupportedWithHWTimedSinglePoint',
'DAQmxGetScalePolyReverseCoeff',
'DAQmxGetPhysicalChanTEDSBitStream',
'DAQmxErrorRoutingNotSupportedForDevice',
'DAQmx_PhysicalChan_TEDS_VersionNum',
'DAQmxSetAILowpassSwitchCapExtClkFreq',
'DAQmxErrorReadBufferTooSmall',
'DAQmxErrorInternalTimebaseSourceRateCombo',
'DAQmx_Val_E_Type_TC',
'DAQmxGetChangeDetectDIRisingEdgePhysicalChans',
'DAQmxErrorRoutingDestTermPXIStarInSlot2_Routing',
'DAQmxResetAIStrainGageCfg', 'DAQmxSetTrigAttribute',
'DAQmxErrorReferenceCurrentInvalid',
'DAQmxSetCIEncoderAInputDigFltrMinPulseWidth',
'DAQmxResetReadAttribute', 'DAQmx_Val_Pt3928',
'DAQmx_Val_PathStatus_AlreadyExists',
'DAQmxErrorWaitModeValueNotSupportedNonBuffered',
'DAQmx_Val_Pt3920', 'DAQmxErrorSCXIModuleIncorrect',
'DAQmx_CI_LinEncoder_Units',
'DAQmxSetAILowpassSwitchCapOutClkDiv',
'DAQmxGetDONumLines',
'DAQmxSetAILossyLSBRemovalCompressedSampSize',
'DAQmx_Val_Polynomial',
'DAQmxSetCITimestampInitialSeconds',
'DAQmxErrorBufferSizeNotMultipleOfEveryNSampsEventIntervalNoIrqOnDev',
'DAQmxGetDigEdgeStartTrigDigFltrTimebaseRate',
'DAQmxGetCOAutoIncrCnt', 'DAQmxSetDODataXferReqCond',
'DAQmxCfgAnlgWindowRefTrig',
'DAQmxErrorCAPICannotRegisterSyncEventsFromMultipleThreads',
'DAQmxErrorPrptyGetSpecdActiveChanFailedDueToDifftVals',
'DAQmxErrorTimebaseCalFreqVarianceTooLarge',
'DAQmx_DigLvl_PauseTrig_DigFltr_MinPulseWidth',
'DAQmxErrorPALMemoryPageLockFailed',
'DAQmxErrorNoRefTrigConfigured',
'DAQmxSetDigPatternRefTrigPattern',
'DAQmxErrorPALThreadControllerIsNotThreadCreator',
'DAQmxResetExportedSyncPulseEventOutputTerm',
'DAQmxError3OutputPortCombinationGivenSampTimingType653x',
'DAQmx_Write_WaitMode', 'DAQmx_CO_Prescaler',
'DAQmxErrorAIEveryNSampsEventIntervalNotMultipleOf2',
'DAQmxGetCIPulseWidthDigFltrEnable', 'DAQmx_AI_LVDT_Units',
'DAQmxErrorLines0To3ConfiguredForInput', 'DAQmx_Val_DMA',
'DAQmx_DigPattern_RefTrig_When',
'DAQmxGetSwitchChanMaxACCarryPwr',
'DAQmxErrorTopologyNotSupportedByCfgTermBlock',
'DAQmxGetAIBridgeInitialVoltage', 'float64',
'DAQmx_Val_Accelerometer',
'DAQmxSetAnlgLvlPauseTrigCoupling', 'DAQmx_CI_Period_Div',
'DAQmxResetCICountEdgesCountDirDigSyncEnable',
'DAQmxWarningPALBadReadMode', 'DAQmx_DO_DataXferMech',
'DAQmxResetSampClkRate', 'DAQmxGetAIRngLow',
'DAQmxResetDigLvlPauseTrigDigFltrMinPulseWidth',
'DAQmxResetWatchdogDOExpirState',
'DAQmxGetAODACRefConnToGnd', 'DAQmx_AIConv_TimebaseDiv',
'DAQmxSetAIChanCalScaleType', 'DAQmxGetSelfCalSupported',
'DAQmxErrorRoutingDestTermPXIClk10InNotInSlot2_Routing',
'DAQmxErrorDevNotInTask',
'DAQmx_Val_Switch_Topology_2501_1_Wire_48x1_Mux',
'DAQmxGetPersistedTaskAllowInteractiveDeletion',
'DAQmxErrorStrainGageCalibration',
'DAQmxGetCOCtrTimebaseDigFltrTimebaseRate',
'DAQmxErrorChanNotInTask',
'DAQmxErrorPALCalculationOverflow',
'DAQmxResetCOCtrTimebaseDigFltrMinPulseWidth',
'DAQmxGetAODACOffsetExtSrc', 'DAQmx_CI_CtrTimebaseSrc',
'DAQmxResetAIExcitDCorAC', 'DAQmxGetCOCtrTimebaseRate',
'DAQmxErrorSampleTimingTypeAndDataXferMode',
'DAQmxErrorDevOnlySupportsSampClkTimingAI',
'DAQmxSetCOPulseIdleState',
'DAQmxErrorPhysicalChanNotSupportedGivenSampTimingType653x',
'DAQmxErrorDevOnlySupportsSampClkTimingAO',
'DAQmxGetSwitchChanBandwidth',
'DAQmx_PhysicalChan_TEDS_TemplateIDs',
'DAQmxErrorInvalidExcitValForScaling',
'DAQmxErrorReferenceResistanceInvalid',
'DAQmx_AO_Current_Units',
'DAQmxErrorRoutingSrcTermPXIStarXNotInSlot2_Routing',
'DAQmxErrorCannotWriteAfterStartWithOnboardMemory',
'DAQmxErrorMultiChanTypesInTask', 'DAQmx_Val_NoChange',
'DAQmxErrorResourceAlreadyReserved',
'DAQmxErrorNumSampsToWaitNotGreaterThanZeroInScript',
'DAQmxErrorCannotCalculateNumSampsTaskNotStarted',
'DAQmxErrorMemMapAndHWTimedSinglePoint',
'DAQmx_DigEdge_StartTrig_DigFltr_Enable',
'DAQmxGetExportedAdvCmpltEventPulseWidth',
'DAQmxSetAIChanCalEnableCal',
'DAQmxWarningPALResourceNotAvailable',
'DAQmxGetAIBridgeShuntCalSelect',
'DAQmxGetDigEdgeWatchdogExpirTrigSrc',
'DAQmxErrorInvalidIdentifierInListAtEndOfSwitchAction',
'DAQmxErrorExternalTimebaseRateNotKnownForDelay',
'DAQmxGetHshkSampleInputDataWhen',
'DAQmxGetInterlockedHshkTrigAssertedLvl',
'DAQmx_CO_CtrTimebase_DigSync_Enable',
'DAQmxGetCIEncoderZInputDigSyncEnable',
'DAQmxResetAnlgWinRefTrigTop', 'DAQmx_CI_CountEdges_Dir',
'DAQmxGetAIExcitSrc', 'DAQmxSetAdvTrigType',
'DAQmxResetAILeadWireResistance',
'DAQmxErrorSuitableTimebaseNotFoundFrequencyCombo2',
'DAQmxErrorPALBadLibrarySpecifier',
'DAQmxErrorInvalidCalConstCalADCAdjustment',
'DAQmxErrorCalChanForwardPolyCoefNotSpecd',
'DAQmxResetDITristate', 'DAQmxSetAODACRefConnToGnd',
'DAQmxResetCIEncoderZIndexEnable',
'DAQmxErrorTooManyPretrigPlusMinPostTrigSamps',
'DAQmxWarningPretrigCoercion', 'DAQmx_Val_PatternMatches',
'DAQmxCfgDigPatternRefTrig', 'DAQmxResetWriteSleepTime',
'DAQmxSetCICountEdgesCountDirDigFltrTimebaseSrc',
'DAQmx_CO_Pulse_LowTicks',
'DAQmxErrorDriverDeviceGUIDNotFound_Routing',
'DAQmx_Val_Switch_Topology_2566_16_SPDT',
'DAQmxErrorTooManyPostTrigSampsPerChan',
'DAQmxResetAnlgEdgeStartTrigSlope',
'DAQmxSetAIResistanceUnits', 'DAQmxGetAIDataXferMech',
'DAQmxErrorAIConvRateTooHigh',
'DAQmxResetDigLvlPauseTrigDigFltrTimebaseSrc',
'DAQmxGetAICurrentShuntLoc',
'DAQmxGetCITwoEdgeSepSecondDigFltrMinPulseWidth',
'DAQmxResetAILVDTSensitivity',
'DAQmxErrorCppDotNetAPINegativeBufferSize',
'DAQmx_Val_Switch_Topology_2584_1_Wire_15x1_Mux',
'DAQmxSetReadSleepTime', 'DAQmx_PersistedTask_Author',
'DAQmxError2InputPortCombinationGivenSampTimingType653x',
'DAQmx_AO_DAC_Rng_Low',
'DAQmxErrorCppCantRemoveOtherObjectsEventHandler',
'DAQmxGetCIAngEncoderUnits', 'DAQmxGetRefTrigType',
'DAQmx_AnlgLvl_PauseTrig_Src', 'DAQmxGetSwitchDevSettled',
'DAQmxErrorStartTrigTypeNotSupportedGivenTimingType',
'DAQmxErrorPALLogicalBufferEmpty',
'DAQmxResetCICountEdgesCountDirDigFltrTimebaseRate',
'DAQmxResetAISoundPressureUnits',
'DAQmx_AI_Lowpass_SwitchCap_ExtClkDiv',
'DAQmx_Sys_NIDAQMajorVersion',
'DAQmxSetAILowpassCutoffFreq',
'DAQmxResetAIDataXferReqCond',
'DAQmxGetInterlockedHshkTrigSrc',
'DAQmxErrorAOMinMaxNotSupportedDACRangeTooSmall',
'DAQmxGetExportedSampClkTimebaseOutputTerm',
'DAQmxSetPauseTrigType', 'DAQmxGetCIGPSSyncSrc',
'DAQmxSetBufOutputBufSize', 'DAQmx_CI_CtrTimebaseRate',
'DAQmxSetSwitchChanAttribute',
'DAQmx_Exported_AdvCmpltEvent_Pulse_Width',
'DAQmx_Exported_AdvTrig_Pulse_Polarity',
'DAQmx_Val_MetersPerSecondSquared',
'DAQmxResetExportedWatchdogExpiredEventOutputTerm',
'DAQmxErrorPowerupTristateNotSpecdForEntirePort',
'DAQmxResetWatchdogAttribute',
'DAQmx_Val_SameAsMasterTimebase',
'DAQmxWarningPALBadSelector', 'DAQmx_Val_AHighBHigh',
'DAQmxSetAIDitherEnable',
'DAQmx_Read_DigitalLines_BytesPerChan',
'DAQmx_CO_Pulse_Ticks_InitialDelay',
'DAQmx_SampQuant_SampMode',
'DAQmxErrorNoPathAvailableBetween2SwitchChans',
'DAQmxCreateMapScale',
'DAQmxGetCOCtrTimebaseDigFltrTimebaseSrc',
'DAQmxErrorAOBufferSizeZeroForSampClkTimingType',
'DAQmxErrorCIInvalidTimingSrcForEventCntDueToSampMode',
'DAQmxErrorPALSocketListenerInvalid',
'DAQmxGetSampClkActiveEdge', 'DAQmxResetCIPeriodUnits',
'DAQmxGetAIMin', 'DAQmxSetAnlgEdgeRefTrigHyst',
'DAQmxResetCIPeriodDiv', 'DAQmxResetSwitchScanRepeatMode',
'DAQmxErrorPALCommunicationsFault',
'DAQmxSetCITwoEdgeSepSecondDigFltrEnable',
'DAQmx_AI_ChanCal_Poly_ReverseCoeff',
'DAQmxErrorUnexpectedSwitchActionInList',
'DAQmx_CI_DataXferMech',
'DAQmxSetExportedSampClkTimebaseOutputTerm',
'DAQmxGetAIConvSrc', 'DAQmxErrorVirtualTEDSFileNotFound',
'DAQmx_AI_Thrmcpl_Type', 'DAQmx_Sys_Tasks',
'DAQmxErrorStopTriggerHasNotOccurred',
'DAQmx_DelayFromSampClk_DelayUnits',
'DAQmxErrorProcedureNameExpectedInScript', 'DAQmxSetCIMax',
'DAQmxErrorNonBufferedAOAndDataXferNotProgIO',
'DAQmx_AI_CurrentShunt_Resistance',
'DAQmxResetAIMemMapEnable',
'DAQmxSetCITwoEdgeSepSecondDigFltrMinPulseWidth',
'DAQmx_Val_Interlocked',
'DAQmxErrorTermCfgdToDifferentMinPulseWidthByAnotherProperty',
'DAQmxResetDigEdgeArmStartTrigEdge',
'DAQmxErrorSampClockOutputTermNotSupportedGivenTimingType',
'DAQmx_Val_Current',
'DAQmxSetCIPulseWidthDigFltrMinPulseWidth',
'DAQmxErrorAnalogTrigChanNotExternal',
'DAQmxErrorPALLogicalBufferFull',
'DAQmxErrorSamplesNoLongerWriteable',
'DAQmxErrorMeasCalAdjustOscillatorPhaseDAC',
'DAQmx_Read_ChangeDetect_HasOverflowed',
'DAQmx_Val_Switch_Topology_2527_1_Wire_64x1_Mux',
'DAQmxSetCISemiPeriodUnits',
'DAQmxResetAISoundPressureMaxSoundPressureLvl',
'DAQmxErrorDataXferCustomThresholdNotSpecified',
'DAQmxGetSwitchDevSwitchChanList', 'DAQmx_Val_Tristate',
'DAQmxErrorRoutingSrcTermPXIStarInSlot16AndAbove_Routing',
'DAQmxGetCIEncoderAInputTerm',
'DAQmxGetAnlgEdgeRefTrigCoupling', 'DAQmxResetAILVDTUnits',
'DAQmxResetCIEncoderBInputDigFltrEnable',
'DAQmxGetScaleMapScaledMin',
'DAQmx_Cal_UserDefinedInfo_MaxSize',
'DAQmx_Val_Switch_Topology_1127_4_Wire_16x1_Mux',
'DAQmx_StartTrig_Delay',
'DAQmx_Exported_RefTrig_OutputTerm',
'DAQmxErrorTrailingSpaceInString',
'DAQmxGetReadTotalSampPerChanAcquired',
'DAQmxSetWriteSleepTime',
'DAQmxCreateTEDSAIStrainGageChan',
'DAQmxGetAOIdleOutputBehavior',
'DAQmx_AI_ChanCal_Verif_AcqVals',
'DAQmxErrorBufferSizeNotMultipleOfEveryNSampsEventIntervalWhenDMA',
'DAQmx_AI_DataXferCustomThreshold',
'DAQmxSetAOResolutionUnits', 'DAQmxGetAIRVDTUnits',
'DAQmxErrorCanNotPerformOpWhenNoDevInTask',
'DAQmxGetAIExcitVoltageOrCurrent',
'DAQmxResetAIResistanceUnits', 'DAQmxSetChanAttribute',
'DAQmxErrorRefTrigDigPatternChanNotInTask',
'DAQmx_Val_mVoltsPerVoltPerMilliInch',
'DAQmx_AI_ChanCal_Poly_ForwardCoeff',
'DAQmxSetCICountEdgesDir', 'DAQmxResetAIBridgeCfg',
'DAQmxGetAILeadWireResistance',
'DAQmx_Val_Switch_Topology_1130_1_Wire_Octal_32x1_Mux',
'DAQmxResetExportedHshkEventInterlockedAssertOnStart',
'DAQmx_Val_Amps',
'DAQmx_Val_Switch_Topology_1194_Quad_4x1_Mux',
'DAQmxAdjustDSAAICal', 'DAQmxResetCOPulseFreq',
'DAQmxWarningLowpassFilterSettlingTimeExceedsDriverTimeBetween2ADCConversions',
'DAQmxErrorClearIsLastInstructionOfLoopInScript',
'DAQmx_CO_CtrTimebaseSrc', 'DAQmxCreateWatchdogTimerTask',
'DAQmxErrorPrptyGetSpecdSingleActiveChanFailedDueToDifftVals',
'DAQmxGetDigEdgeArmStartTrigDigFltrMinPulseWidth',
'DAQmxGetExported20MHzTimebaseOutputTerm',
'DAQmxGetDigEdgeArmStartTrigDigFltrTimebaseSrc',
'DAQmxResetCIPulseWidthDigFltrTimebaseRate', 'TaskHandle',
'DAQmxResetCIPulseWidthDigFltrTimebaseSrc',
'DAQmxSetCIEncoderZInputDigFltrTimebaseSrc',
'DAQmxErrorPrptyGetImpliedActiveChanFailedDueToDifftVals',
'DAQmxGetPersistedChanAllowInteractiveEditing',
'DAQmxErrorPALFileCloseFault',
'DAQmxErrorCantConfigureTEDSForChan',
'DAQmx_CI_CountEdges_DirTerm',
'DAQmx_Exported_RdyForXferEvent_Lvl_ActiveLvl',
'DAQmxErrorAOMinMaxNotSupportedDACOffsetValInappropriate',
'DAQmxResetAIThrmstrR1',
'DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseSrc',
'DAQmxGetAODataXferReqCond',
'DAQmx_CI_CtrTimebaseActiveEdge',
'DAQmxResetDODataXferReqCond',
'DAQmxResetAIEnhancedAliasRejectionEnable',
'DAQmxWarningSampClkRateViolatesSettlingTimeForGen',
'DAQmxResetCITwoEdgeSepSecondTerm',
'DAQmxSetScaleLinSlope', 'DAQmx_AO_DAC_Rng_High',
'DAQmx_CO_Count',
'DAQmxResetExportedAdvCmpltEventPulseWidth',
'DAQmxGetSampClkTimebaseSrc', 'DAQmx_DO_UseOnlyOnBrdMem',
'DAQmx_Val_Switch_Topology_2503_4_Wire_12x1_Mux',
'DAQmxGetBufInputOnbrdBufSize',
'DAQmxErrorDigFilterMinPulseWidthSetWhenTristateIsFalse',
'DAQmxErrorLines4To7ConfiguredForInput',
'DAQmxReadBinaryI32', 'DAQmxWarningPALResourceNotReserved',
'DAQmx_PersistedTask_AllowInteractiveEditing',
'DAQmxSetOnDemandSimultaneousAOEnable',
'DAQmxErrorPALBadWriteOffset',
'DAQmxResetAnlgWinStartTrigWhen',
'DAQmxErrorCannotConnectChannelToItself',
'DAQmxErrorKeywordExpectedInScript', 'DAQmx_DO_Tristate',
'DAQmx_Val_4Wire', 'DAQmxErrorSamplesCanNotYetBeWritten',
'DAQmx_Val_Switch_Topology_1175_2_Wire_95x1_Mux',
'DAQmxErrorSelfTestFailed',
'DAQmx_SwitchChan_MaxACSwitchPwr', 'DAQmxCreateAIRTDChan',
'DAQmxGetWatchdogTimeout',
'DAQmxErrorCantSyncToExtStimulusFreqDuringCal',
'DAQmx_SelfCal_LastTemp', 'DAQmxResetDOInvertLines',
'DAQmx_MasterTimebase_Src', 'DAQmxSetCIFreqStartingEdge',
'DAQmx_SwitchChan_MaxACCarryCurrent', 'DAQmx_Val_B',
'DAQmxResetCIEncoderAInputDigSyncEnable',
'DAQmxErrorDevCannotProduceMinPulseWidth',
'DAQmx_ChanType', 'DAQmxErrorZeroSlopeLinearScale',
'DAQmxSetAIChanCalTablePreScaledVals',
'DAQmxWarningSampValCoercedToMax',
'DAQmxErrorInvalidTrigCouplingExceptForExtTrigChan',
'DAQmxResetAIInputSrc', 'DAQmx_DigEdge_StartTrig_Edge',
'DAQmxResetCIEncoderZInputDigSyncEnable',
'DAQmxResetCIEncoderZInputDigFltrEnable',
'DAQmxErrorAOMinMaxNotSupportedDACRefValTooSmall',
'DAQmxResetDOOutputDriveType', 'DAQmx_HshkTrig_Type',
'DAQmxSetAnlgWinStartTrigBtm', 'DAQmxGetDevIsSimulated',
'DAQmxResetAOCurrentUnits', 'DAQmx_AI_RVDT_Sensitivity',
'DAQmx_Val_Switch_Topology_2501_4_Wire_12x1_Mux',
'DAQmxWriteDigitalU16',
'DAQmxWarningRateViolatesSettlingTime',
'DAQmxSetMasterTimebaseSrc',
'DAQmxErrorDotNetAPINotUnsigned32BitNumber',
'DAQmxResetExportedCtrOutEventOutputBehavior',
'DAQmx_DO_OutputDriveType',
'DAQmxErrorACCouplingNotAllowedWith50OhmImpedance',
'DAQmxErrorInvalidSignalModifier_Routing',
'DAQmx_Val_LowFreq1Ctr',
'DAQmxErrorPALMemoryConfigurationFault',
'DAQmx_Val_Switch_Topology_1193_Independent',
'DAQmxErrorDuplicatePhysicalChansNotSupported',
'DAQmxResetAIExcitVal', 'DAQmx_Scale_Lin_YIntercept',
'DAQmxErrorSampClkDCMLock',
'DAQmxErrorCantSavePerLineConfigDigChanSoInteractiveEditsAllowed',
'DAQmxErrorSampClkSrcInvalidForOutputValidForInput',
'DAQmxGetSampClkSrc', 'DAQmxSetScaleLinYIntercept',
'DAQmxCreateTEDSAIVoltageChan',
'DAQmxResetDigEdgeStartTrigDigFltrTimebaseSrc',
'DAQmxSetAOLoadImpedance', 'DAQmx_AI_ResolutionUnits',
'DAQmx_Val_Task_Commit',
'DAQmxResetExportedAdvCmpltEventOutputTerm',
'DAQmxCreateTEDSAIPosRVDTChan',
'DAQmxGetCIPulseWidthDigSyncEnable', 'DAQmx_Val_ZeroVolts',
'DAQmxErrorSuppliedVoltageDataOutsideSpecifiedRange',
'DAQmxGetCOOutputState',
'DAQmxErrorReversePolyOrderNotPositive',
'DAQmx_AnlgLvl_PauseTrig_Lvl',
'DAQmxWarningPALFunctionNotFound',
'DAQmx_AnlgWin_RefTrig_Top',
'DAQmxErrorInvalidCalConstOffsetDACValue',
'DAQmxErrorPropertyValNotValidTermName',
'DAQmxGetAILowpassSwitchCapClkSrc',
'DAQmx_CI_GPS_SyncMethod',
'DAQmxSetExportedAdvTrigOutputTerm',
'DAQmxErrorExpectedTerminatorInList',
'DAQmxErrorInvalidSampModeForPositionMeas',
'DAQmx_Exported_SampClk_Pulse_Polarity',
'DAQmxSetAnlgWinStartTrigCoupling', 'DAQmxGetDINumLines',
'DAQmxResetDIDigFltrMinPulseWidth', 'DAQmx_Val_AboveLvl',
'DAQmxGetAIExcitDCorAC', 'DAQmx_Val_Pt3750',
'DAQmxGetExportedAdvCmpltEventOutputTerm', 'bool32',
'DAQmxSetChangeDetectDIRisingEdgePhysicalChans',
'DAQmxResetStartTrigDelayUnits',
'DAQmxResetDigEdgeStartTrigDigFltrMinPulseWidth',
'DAQmxConnectTerms',
'DAQmxGetExportedAdvTrigPulsePolarity',
'DAQmxErrorRoutingDestTermPXIChassisNotIdentified',
'DAQmxSetDigEdgeArmStartTrigSrc',
'DAQmxErrorIncorrectPassword',
'DAQmxGetCILinEncoderDistPerPulse',
'DAQmxGetAIChanCalVerifAcqVals',
'DAQmxErrorGenStoppedToPreventIntermediateBufferRegenOfOldSamples',
'DAQmxSetAnlgLvlPauseTrigHyst',
'DAQmxErrorInvalidCalConstGainDACValue',
'DAQmxGetSwitchDevNumColumns',
'DAQmxErrorSelfCalFailedExtNoiseOrRefVoltageOutOfCal',
'DAQmxSetCITwoEdgeSepFirstDigSyncEnable',
'DAQmx_AI_StrainGage_Cfg', 'DAQmxSetAIAutoZeroMode',
'DAQmxSetAIFreqThreshVoltage',
'DAQmx_Exported_CtrOutEvent_Pulse_Polarity',
'DAQmxErrorCollectionDoesNotMatchChanType',
'DAQmxGetAnlgWinPauseTrigBtm',
'DAQmxErrorDigLinesReservedOrUnavailable',
'DAQmxErrorResourceNotInPool_Routing',
'DAQmx_Val_AccelUnit_g',
'DAQmxResetDigEdgeAdvTrigDigFltrEnable',
'DAQmx_CI_Encoder_BInput_DigSync_Enable',
'DAQmxSetExportedAdvCmpltEventPulsePolarity',
'DAQmxGetSelfCalLastDateAndTime', 'DAQmxErrorADCOverrun',
'DAQmxErrorAOCallWriteBeforeStartForSampClkTimingType',
'DAQmxErrorSwitchChanInUse',
'DAQmxErrorPALDispatcherAlreadyExported',
'DAQmxErrorInvalidGlobalChan',
'DAQmxErrorReadChanTypeMismatch',
'DAQmxErrorChanSizeTooBigForU32PortWrite',
'DAQmxGetCIFreqMeasMeth',
'DAQmxErrorInvalidAIOffsetCalConst',
'DAQmxErrorBridgeOffsetNullingCalNotSupported',
'DAQmxSetAIACExcitSyncEnable',
'DAQmx_CI_Encoder_AInput_DigFltr_Enable',
'DAQmx_CI_CountEdges_DigFltr_TimebaseRate',
'DAQmxSetCIAngEncoderPulsesPerRev',
'DAQmxErrorCalChanReversePolyCoefNotSpecd',
'DAQmxErrorBuiltInCJCSrcNotSupported',
'DAQmxGetCIOutputState', 'DAQmxSetSwitchScanBreakMode',
'DAQmxErrorCouldNotConnectToServer_Routing',
'DAQmxSetAIAccelUnits',
'DAQmxWarningCounter1DMADuringAOConflict',
'DAQmxErrorPALBadDataSize',
'DAQmxSetAIChanCalOperatorName',
'DAQmx_AnlgEdge_RefTrig_Src',
'DAQmxWarningReadOffsetCoercion',
'DAQmx_AI_LVDT_SensitivityUnits',
'DAQmxSetArmStartTrigType', 'DAQmx_Val_TwoPulseCounting',
'DAQmxErrorUnableToLocateErrorResources',
'DAQmxErrorPasswordRequired', 'DAQmxErrorSensorValTooLow',
'DAQmx_Val_Freq_Voltage',
'DAQmxErrorStartTrigDigPatternChanNotTristated',
'DAQmxSetAISoundPressureMaxSoundPressureLvl',
'DAQmxErrorScaledMinEqualMax', 'DAQmx_Val_InsideWin',
'DAQmxErrorDACUnderflow',
'DAQmxErrorCannotDetectChangesWhenTristateIsFalse',
'DAQmx_Val_Switch_Topology_1127_2_Wire_4x8_Matrix',
'DAQmx_CI_CountEdges_DigSync_Enable',
'DAQmxErrorTemperatureOutOfRangeForCalibration',
'DAQmxSetDigEdgeWatchdogExpirTrigEdge',
'DAQmxGetAIResolutionUnits', 'DAQmx_Val_AnlgEdge',
'DAQmxSetRealTimeNumOfWarmupIters',
'DAQmxGetExportedHshkEventDelay',
'DAQmxCreateAIThrmcplChan',
'DAQmxErrorCalibrationSessionAlreadyOpen',
'DAQmx_Val_Switch_Topology_1129_2_Wire_4x64_Matrix',
'DAQmxErrorWriteFailedBecauseWatchdogExpired',
'DAQmxErrorPALFunctionObsolete',
'DAQmxErrorPALComponentTooOld',
'DAQmxErrorCabledModuleCannotRouteSSH',
'DAQmxErrorDifftInternalAIInputSrcs',
'DAQmx_AI_Accel_Units',
'DAQmxErrorPALMemoryBlockCheckFailed',
'DAQmxErrorDeviceIDNotSpecifiedInList',
'DAQmxErrorBufferedAndDataXferPIO', 'DAQmxResetAOGain',
'DAQmxErrorDuplicatedChannel',
'DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseSrc',
'DAQmx_Val_GroupByChannel',
'DAQmxErrorUnexpectedIDFollowingSwitchOpInList',
'DAQmxSetCICtrTimebaseRate',
'DAQmxErrorDifferentPrptyValsNotSupportedOnDev',
'DAQmx_Write_SleepTime',
'DAQmx_Exported_RdyForXferEvent_OutputTerm',
'DAQmx_Val_Switch_Topology_2567_Independent',
'DAQmx_Val_Task_Stop',
'DAQmxErrorDACAllowConnToGndNotSupportedByDevWhenRefSrcExt',
'DAQmxResetCITwoEdgeSepFirstDigFltrMinPulseWidth',
'DAQmx_Val_DigPattern', 'DAQmxGetSwitchChanWireMode',
'DAQmxErrorScriptNameSameAsWfmName',
'DAQmxSetAnlgEdgeStartTrigCoupling', 'DAQmxCreateTask',
'DAQmxCreateCIPulseWidthChan',
'DAQmxErrorChanCalTableScaledValsNotSpecd',
'DAQmx_Val_AdvCmpltEvent',
'DAQmxErrorScriptHasInvalidCharacter',
'DAQmxGetAOReglitchEnable',
'DAQmxErrorPALSocketListenerAlreadyRegistered',
'DAQmxReadDigitalScalarU32',
'DAQmxErrorCOReadyForNewValNotSupportedWithOnDemand',
'DAQmxErrorInvalidSubsetLengthWithinLoopInScript',
'DAQmx_SyncPulse_Src',
'DAQmx_CI_Encoder_BInput_DigFltr_TimebaseSrc',
'DAQmxErrorSwitchOperationNotSupported',
'DAQmxWarningPALResourceNotInitialized',
'DAQmxGetSwitchChanMaxDCCarryCurrent',
'DAQmxErrorActivePhysChanNotSpecdWhenGetting1LinePrpty',
'DAQmxGetDigEdgeArmStartTrigEdge',
'DAQmxErrorGetPropertyNotOutputBufferedTask',
'DAQmx_AI_ChanCal_EnableCal',
'DAQmxErrorRegisterNotWritable',
'DAQmxGetAnlgWinPauseTrigWhen',
'DAQmxErrorInputBoardClkDCMBecameUnlocked',
'DAQmxResetCITwoEdgeSepFirstDigFltrTimebaseSrc',
'DAQmxGetSwitchScanAttribute',
'DAQmxErrorDataVoltageLowAndHighIncompatible',
'DAQmxSetAIBridgeInitialVoltage',
'DAQmx_Val_LeftJustified',
'DAQmxErrorTooManyEventsGenerated',
'DAQmxErrorWaitUntilDoneDoesNotIndicateDone',
'DAQmxErrorInvalidCharInDigPatternString',
'DAQmxResetCOPulseFreqUnits',
'DAQmx_Val_Switch_Topology_1128_2_Wire_4x8_Matrix',
'DAQmxResetCIEncoderAInputDigFltrTimebaseSrc',
'DAQmx_Val_Switch_Topology_1130_1_Wire_8x32_Matrix',
'DAQmxSetCIGPSSyncSrc', 'DAQmxResetDigEdgeStartTrigSrc',
'DAQmxCreateAIPosLVDTChan', 'DAQmxCreateAICurrentChan',
'DAQmx_Val_Period', 'DAQmxErrorTrigBusLineNotAvail',
'DAQmx_AI_Accel_Sensitivity', 'DAQmxGetCISemiPeriodUnits',
'DAQmxGetSystemInfoAttribute',
'DAQmxGetCICtrTimebaseDigFltrMinPulseWidth',
'DAQmxErrorPrescalerNot1ForInputTerminal',
'DAQmxSetCICountEdgesCountDirDigFltrTimebaseRate',
'DAQmxErrorTEDSTemplateParametersNotSupported',
'DAQmx_Val_None',
'DAQmxErrorActivePhysChanTooManyLinesSpecdWhenGettingPrpty',
'DAQmxSetAnlgWinPauseTrigBtm', 'DAQmxErrorAIMaxTooLarge',
'DAQmx_Val_Switch_Topology_2593_Independent',
'DAQmxErrorHWTimedSinglePointAndDataXferNotProgIO',
'DAQmxErrorBufferNameExpectedInScript',
'DAQmxErrorMultScanOpsInOneChassis',
'DAQmxGetAISoundPressureMaxSoundPressureLvl',
'DAQmxSetCIEncoderBInputDigFltrEnable',
'DAQmxErrorCannotReadRelativeToRefTrigUntilDone',
'DAQmxErrorDAQmxCantUseStringDueToUnknownChar',
'DAQmxGetCOCtrTimebaseSrc', 'DAQmx_Scale_Map_ScaledMax',
'DAQmxGetAOMax',
'DAQmxErrorWriteFailedMultipleCtrsWithFREQOUT',
'DAQmxErrorPreScaledMinEqualMax',
'DAQmxErrorCannotReadWhenAutoStartFalseHWTimedSinglePtAndTaskNotRunning',
'DAQmx_Val_Switch_Topology_1130_1_Wire_4x64_Matrix',
'DAQmx_PauseTrig_Type', 'DAQmx_SwitchDev_Settled',
'DAQmxSetExportedWatchdogExpiredEventOutputTerm',
'DAQmxResetAODataXferMech', 'DAQmx_Val_FiniteSamps',
'DAQmx_CI_Freq_DigFltr_Enable',
'DAQmxErrorPALFeatureDisabled',
'DAQmxResetCISemiPeriodUnits', 'DAQmxGetDOInvertLines',
'DAQmxGetCOCount', 'DAQmx_DelayFromSampClk_Delay',
'DAQmxErrorZeroForwardPolyScaleCoeffs',
'DAQmxSetAnlgWinRefTrigTop',
'DAQmxErrorInvalidRoutingDestinationTerminalName',
'DAQmxErrorInvalidAIGainCalConst',
'DAQmx_CI_AngEncoder_PulsesPerRev',
'DAQmx_DigEdge_StartTrig_Src',
'DAQmx_Val_ReferenceTrigger',
'DAQmxErrorChanCalTableNumScaledNotEqualNumPrescaledVals',
'DAQmxSetCOPulseLowTime',
'DAQmxErrorInterconnectLineReserved',
'DAQmxGetAIThrmcplCJCVal', 'DAQmxResetSwitchScanAttribute',
'DAQmx_Hshk_SampleInputDataWhen',
'DAQmxErrorLinesUsedForHandshakingInputNotForStaticInput',
'DAQmxResetCIAngEncoderPulsesPerRev',
'DAQmxResetDigEdgeRefTrigSrc', 'DAQmx_ArmStartTrig_Type',
'DAQmxWriteToTEDSFromFile', 'DAQmx_Val_AnlgLvl',
'DAQmx_Val_OnDemand', 'DAQmx_AI_SampAndHold_Enable',
'DAQmx_PersistedChan_Author',
'DAQmxErrorExternalSampClkAndRefClkThruSameTerm',
'DAQmxErrorNULLPtr', 'DAQmxResetDigLvlPauseTrigSrc',
'DAQmx_Exported_StartTrig_OutputTerm',
'DAQmxErrorInvalidRelayName',
'DAQmxErrorInvalidCloseAction',
'DAQmxResetAnlgLvlPauseTrigLvl',
'DAQmxSetStartTrigDelayUnits',
'DAQmxErrorCannotPerformOpWhenTaskNotRunning',
'DAQmxErrorChangeDetectionChanNotTristated',
'DAQmxErrorVirtualChanNameUsed',
'DAQmx_Val_Switch_Topology_1195_Quad_4x1_Mux',
'DAQmxErrorFailedToEnableHighSpeedInputClock',
'DAQmxResetCOCtrTimebaseDigFltrTimebaseSrc',
'DAQmx_AO_IdleOutputBehavior', 'DAQmx_Val_Volts',
'DAQmxWriteDigitalLines',
'DAQmxSetDigLvlPauseTrigDigFltrMinPulseWidth',
'DAQmxErrorCantSaveChanWithPolyCalScaleAndAllowInteractiveEdit',
'DAQmx_WatchdogExpirTrig_Type', 'DAQmxGetSelfCalLastTemp',
'DAQmxGetCITwoEdgeSepFirstDigFltrTimebaseSrc',
'DAQmxErrorPALBadReadMode', 'DAQmxResetBufferAttribute',
'DAQmx_Val_Interrupts', 'DAQmxErrorRouteSrcAndDestSame',
'DAQmxErrorInvalidCalVoltageForGivenGain',
'DAQmxSetAODACRefAllowConnToGnd',
'DAQmx_AI_EnhancedAliasRejectionEnable',
'DAQmx_Scale_Map_PreScaledMin', 'DAQmxGetScaleLinSlope',
'DAQmxSetAnlgEdgeRefTrigSrc',
'DAQmxErrorSyncNoDevSampClkTimebaseOrSyncPulseInPXISlot2',
'DAQmx_Val_TEDS_Sensor',
'DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseRate',
'DAQmxErrorMultipleWritesBetweenSampClks',
'DAQmx_Val_5Wire',
'DAQmx_Val_Switch_Topology_1128_4_Wire_16x1_Mux',
'DAQmxResetExportedAIConvClkOutputTerm',
'DAQmx_Val_Switch_Topology_1130_1_Wire_Quad_64x1_Mux',
'DAQmxErrorInternalTimebaseSourceDivisorCombo',
'DAQmxErrorPALMessageUnderflow', 'DAQmxGetReadAttribute',
'DAQmxErrorPALResourceReserved',
'DAQmxResetAICurrentUnits', 'DAQmxGetBufInputBufSize',
'DAQmxSetDelayFromSampClkDelay',
'DAQmxErrorInvalidCharInPattern',
'DAQmxErrorWaveformInScriptNotInMem', 'DAQmxResetDevice',
'DAQmxSwitchCloseRelays', 'DAQmxResetChanAttribute',
'DAQmxErrorCOWritePulseLowTicksNotSupported',
'DAQmxErrorRepeatedNumberInScaledValues',
'DAQmxResetAIAutoZeroMode',
'DAQmxErrorRepeatedPhysicalChan',
'DAQmxSetCIPeriodDigFltrTimebaseSrc', 'DAQmxResetAIRngLow',
'DAQmx_Watchdog_HasExpired', 'DAQmxSetCIPeriodUnits',
'DAQmxErrorEveryNSamplesAcqIntoBufferEventNotSupportedByDevice',
'DAQmxSwitchDisconnectAll', 'DAQmxAdjustDSATimebaseCal',
'DAQmxGetCIEncoderZIndexEnable',
'DAQmxErrorSampsPerChanTooBig',
'DAQmxResetInterlockedHshkTrigAssertedLvl',
'DAQmxResetCISemiPeriodDigFltrTimebaseRate',
'DAQmxResetSampClkDigFltrTimebaseRate',
'DAQmx_Val_Falling', 'DAQmxCreateTEDSAIRTDChan',
'DAQmx_Val_Implicit',
'DAQmxErrorLabVIEWInvalidTaskOrChans',
'DAQmx_Hshk_DelayAfterXfer', 'DAQmx_Val_AI',
'DAQmx_Val_RisingSlope',
'DAQmx_Val_Switch_Topology_2532_1_Wire_8x64_Matrix',
'DAQmxGetCORdyForNewVal',
'DAQmx_Val_Save_AllowInteractiveDeletion',
'DAQmxErrorDisconnectionRequiredInScanlist',
'DAQmx_Val_ContSamps',
'DAQmxSetCITwoEdgeSepFirstDigFltrMinPulseWidth',
'DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_8x32_Matrix',
'DAQmx_RefTrig_Type', 'DAQmxResetAIChanCalEnableCal',
'DAQmxGetAIThrmstrC', 'DAQmxGetAIThrmstrB',
'DAQmxGetAIThrmstrA',
'DAQmx_ChangeDetect_DI_RisingEdgePhysicalChans',
'DAQmxGetSyncPulseSrc', 'DAQmxGetDelayFromSampClkDelay',
'DAQmx_SwitchScan_WaitingForAdv',
'DAQmxErrorPhysChanDevNotInTask',
'DAQmx_CI_LinEncoder_DistPerPulse',
'DAQmx_Val_Switch_Topology_2565_16_SPST',
'DAQmx_CO_CtrTimebase_DigFltr_TimebaseRate',
'DAQmxErrorNoTEDSTerminalBlock',
'DAQmxErrorUnexpectedIdentifierInFullySpecifiedPathInList',
'DAQmx_Val_WaitForHandshakeTriggerDeassert',
'DAQmx_PersistedChan_AllowInteractiveDeletion',
'DAQmxSetAIRVDTSensitivityUnits',
'DAQmx_Scale_Poly_ForwardCoeff',
'DAQmxSetAnlgWinPauseTrigWhen',
'DAQmxSetDigLvlPauseTrigDigSyncEnable',
'DAQmx_AO_Resolution',
'DAQmxErrorClearTEDSNotSupportedOnRT',
'DAQmxSetWatchdogExpirTrigType', 'DAQmx_Val_DoNotWrite',
'DAQmxErrorOddTotalBufferSizeToWrite',
'DAQmxErrorMemMapEnabledForHWTimedNonBufferedAO',
'DAQmxResetCIEncoderZInputDigFltrTimebaseSrc',
'DAQmxErrorActionSeparatorRequiredAfterBreakingConnectionInScanlist',
'DAQmxSetAIRTDType', 'DAQmx_Val_A',
'DAQmxResetAODACRefVal', 'DAQmx_CI_Period_MeasTime',
'DAQmx_Val_Switch_Topology_2529_2_Wire_8x16_Matrix',
'DAQmxResetAIACExcitFreq',
'DAQmxErrorSetupCalNeededBeforeAdjustCal',
'DAQmxGetAIAccelSensitivity', 'DAQmx_AO_Gain',
'DAQmx_Val_High',
'DAQmxErrorWriteWhenTaskNotRunningCOTicks',
'DAQmx_Val_Diff', 'DAQmxGetPhysicalChanTEDSTemplateIDs',
'DAQmxSetCIDupCountPrevent',
'DAQmx_AI_Excit_UseMultiplexed', 'DAQmxResetAOMin',
'DAQmx_Val_g', 'DAQmxWarningPXIDevTempExceedsMaxOpTemp',
'DAQmxSwitchOpenRelays',
'DAQmxErrorSignalEventAlreadyRegistered',
'DAQmx_AnlgLvl_PauseTrig_Coupling',
'DAQmxGetRefTrigPretrigSamples',
'DAQmxErrorLeadingSpaceInString',
'DAQmxErrorMultiRecWithRIS', 'DAQmx_Val_Immediate',
'DAQmxWriteRaw', 'DAQmx_Interlocked_HshkTrig_AssertedLvl',
'DAQmx_AI_ChanCal_OperatorName',
'DAQmx_Val_Switch_Topology_2501_1_Wire_48x1_Amplified_Mux',
'DAQmxResetAIMax',
'DAQmxErrorAOMinMaxNotSupportedGivenDACRange',
'DAQmxErrorConnectionInScanlistMustWaitForTrig',
'DAQmxErrorTEDSLinearMappingSlopeZero',
'DAQmxErrorCtrExportSignalNotPossible',
'DAQmxErrorSuitableTimebaseNotFoundFrequencyCombo',
'DAQmxResetAOOutputImpedance', 'DAQmxErrorAttrCannotBeSet',
'DAQmx_SelfCal_Supported',
'DAQmxErrorSubsetOutsideWaveformInScript',
'DAQmx_Val_BreakBeforeMake',
'DAQmxSetExportedHshkEventDelay',
'DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseSrc',
'DAQmx_Val_NRSE', 'DAQmxGetMasterTimebaseSrc',
'DAQmxErrorNoPolyScaleCoeffs', 'DAQmxGetCICtrTimebaseSrc',
'DAQmxErrorHandshakeTrigTypeNotSupportedGivenTimingType',
'DAQmx_Val_Temp_BuiltInSensor',
'DAQmxResetAILossyLSBRemovalCompressedSampSize',
'DAQmxResetMasterTimebaseRate',
'DAQmxGetCIFreqDigFltrTimebaseSrc',
'DAQmxErrorSwitchOpFailedDueToPrevError',
'DAQmx_Val_Switch_Topology_2529_2_Wire_Dual_4x16_Matrix',
'DAQmxResetWriteRegenMode', 'DAQmx_DI_NumLines',
'DAQmxGetExportedDividedSampClkTimebaseOutputTerm',
'DAQmxGetAnlgLvlPauseTrigSrc',
'DAQmxGetAIChanCalScaleType',
'DAQmxErrorChansAlreadyConnected',
'DAQmx_Val_SoundPressure_Microphone',
'DAQmxErrorDelayFromStartTrigTooLong',
'DAQmxSetDOInvertLines', 'DAQmx_CI_GPS_SyncSrc',
'DAQmxGetCOCtrTimebaseDigFltrMinPulseWidth',
'DAQmxSetExportedSyncPulseEventOutputTerm',
'DAQmxResetSyncPulseMinDelayToStart',
'DAQmx_PhysicalChan_TEDS_MfgID', 'DAQmx_Buf_Input_BufSize',
'DAQmxGetCIFreqDigFltrEnable', 'DAQmx_Val_AHighBLow',
'DAQmxSetCIPulseWidthStartingEdge', 'DAQmx_CI_Freq_Term',
'DAQmxSetAIExcitUseForScaling',
'DAQmxGetDOUseOnlyOnBrdMem',
'DAQmx_Val_Switch_Topology_2591_4x1_Mux',
'DAQmxSetScaleDescr', 'uInt32',
'DAQmxResetAIAccelSensitivityUnits', 'DAQmxSaveTask',
'DAQmxErrorInvalidRecordNum',
'DAQmxGetScaleMapPreScaledMax',
'DAQmxErrorProgIODataXferForBufferedAO',
'DAQmxSetCICtrTimebaseDigFltrEnable',
'DAQmxErrorPrescalerNot1ForTimebaseSrc',
'DAQmx_CI_OutputState', 'DAQmx_Write_NumChans',
'DAQmxGetPersistedTaskAllowInteractiveEditing',
'DAQmxResetAOResolutionUnits',
'DAQmxSetExportedAIConvClkOutputTerm',
'DAQmxSetAIChanCalApplyCalIfExp',
'DAQmxErrorMoreThanOneActiveChannelSpecified',
'DAQmxSetCITwoEdgeSepFirstDigFltrEnable',
'DAQmxSetDigEdgeArmStartTrigDigFltrMinPulseWidth',
'DAQmxGetCIPeriodDigSyncEnable',
'DAQmxErrorPALTransferAborted',
'DAQmxSetAOCustomScaleName', 'DAQmxGetSampClkTimebaseDiv',
'DAQmxSetAIBridgeShuntCalGainAdjust',
'DAQmxErrorChanDuplicatedInPath',
'DAQmxErrorInvalidCharInString',
'DAQmx_SampQuant_SampPerChan',
'DAQmxGetAILowpassSwitchCapOutClkDiv',
'DAQmxGetAIResistanceCfg', 'DAQmxGetAnlgWinRefTrigSrc',
'DAQmx_CO_Pulse_Time_InitialDelay',
'DAQmxGetSampClkDigFltrTimebaseRate',
'DAQmxResetCITwoEdgeSepFirstEdge',
'DAQmx_Val_Switch_Topology_2593_16x1_Mux',
'DAQmxSetCITwoEdgeSepFirstEdge',
'DAQmx_Val_Switch_Topology_2594_4x1_Mux',
'DAQmxErrorFREQOUTCannotProduceDesiredFrequency2',
'DAQmx_Val_Switch_Topology_2570_40_SPDT',
'DAQmxErrorResourcesInUseForRoute_Routing',
'DAQmxErrorDifferentDITristateValsForChansInTask',
'DAQmxErrorSensorValTooHigh', 'DAQmx_AI_Current_Units',
'DAQmxSetCIEncoderAInputDigFltrTimebaseRate',
'DAQmxErrorSamplesNoLongerAvailable',
'DAQmxGetDevSerialNum', 'DAQmxErrorIntermediateBufferFull',
'DAQmxGetAODACRngHigh', 'DAQmxGetCIPulseWidthStartingEdge',
'DAQmxGetReadRelativeTo', 'DAQmxCreateTEDSAIAccelChan',
'DAQmxErrorExtSampClkSrcNotSpecified',
'DAQmxGetCIEncoderBInputDigFltrTimebaseSrc',
'DAQmxGetWatchdogDOExpirState',
'DAQmxGetDigLvlPauseTrigWhen',
'DAQmxErrorGenerateOrFiniteWaitInstructionExpectedBeforeIfElseBlockInScript',
'DAQmxSetExportedAdvTrigPulseWidth',
'DAQmxGetDelayFromSampClkDelayUnits',
'DAQmxSetCIFreqUnits',
'DAQmxResetExportedAdvTrigOutputTerm',
'DAQmxErrorBufferAndDataXferMode',
'DAQmxSetSampClkDigFltrMinPulseWidth',
'DAQmxErrorFailedToAcquireCalData',
'DAQmxGetTrigAttribute', 'DAQmxGetAdvTrigType',
'DAQmxGetAnlgWinStartTrigSrc',
'DAQmxErrorOnboardMemTooSmall', 'DAQmxGetDOTristate',
'DAQmxGetAILVDTSensitivityUnits',
'DAQmxErrorSampClkRateDoesntMatchSampClkSrc',
'DAQmx_Val_Inches', 'DAQmx_Val_Temp_Thrmstr',
'DAQmx_Val_Pulse_Ticks', 'DAQmxGetWatchdogAttribute',
'DAQmxSetCOPulseHighTime',
'DAQmxSetChangeDetectDIFallingEdgePhysicalChans',
'DAQmxSuccess', 'DAQmx_Val_Task_Start',
'DAQmxErrorInvalidRoutingSourceTerminalName',
'DAQmxGetCOCtrTimebaseDigFltrEnable',
'DAQmxSetAIStrainUnits',
'DAQmxResetHshkSampleInputDataWhen',
'DAQmxSetScaleScaledUnits', 'DAQmxGetSwitchChanUsage',
'DAQmxErrorNonZeroBufferSizeInProgIOXfer',
'DAQmxResetExportedAIHoldCmpltEventPulsePolarity',
'DAQmxErrorGenStoppedToPreventRegenOfOldSamples',
'DAQmxSetCIEncoderZIndexPhase',
'DAQmxGetExportedCtrOutEventToggleIdleState',
'DAQmxErrorCannotReadWhenAutoStartFalseOnDemandAndTaskNotRunning',
'DAQmxErrorInvalidInstallation',
'DAQmxGetAILowpassSwitchCapExtClkDiv', 'DAQmx_CI_Min',
'DAQmx_AnlgEdge_RefTrig_Coupling', 'DAQmxResetCIMax',
'DAQmxSetExported10MHzRefClkOutputTerm',
'DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_4x64_Matrix',
'DAQmxSetCIFreqDigFltrEnable',
'DAQmxGetCIPulseWidthDigFltrTimebaseRate',
'DAQmxErrorInputBufferSizeNotEqualSampsPerChanForFiniteSampMode',
'DAQmx_AnlgEdge_RefTrig_Hyst', 'DAQmxResetAIThrmstrA',
'DAQmxResetAIThrmstrB', 'DAQmxResetAIThrmstrC',
'DAQmxErrorInvalidSubsetLengthInScript',
'DAQmxGetCIEncoderZIndexPhase', 'DAQmxSetAIACExcitFreq',
'DAQmxGetDIDigFltrEnable', 'DAQmxErrorAttrNotSupported',
'DAQmxErrorRecordOverwritten', 'DAQmx_Scale_Map_ScaledMin',
'DAQmxSetAIChanCalExpDate', 'DAQmxGetPersistedChanAuthor',
'DAQmxErrorInvalidCfgCalAdjustMainPathPostAmpGainAndOffset',
'DAQmxSwitchGetSingleRelayPos',
'DAQmxErrorCouldNotReserveRequestedTrigLine_Routing',
'DAQmxResetDigPatternStartTrigSrc',
'DAQmx_Val_HalfBridgeII', 'DAQmxSetCIPeriodDiv',
'DAQmxWriteDigitalU32', 'DAQmx_Val_ResetTimer',
'DAQmxGetSwitchScanRepeatMode',
'DAQmxResetCILinEncoderUnits',
'DAQmxSetCIPulseWidthDigFltrTimebaseRate',
'DAQmxErrorPALDiskFull',
'DAQmxErrorPhysicalChanDoesNotExist', 'DAQmxSetChanDescr',
'DAQmx_CI_Encoder_BInputTerm', 'DAQmxGetRefClkSrc',
'DAQmxResetDigEdgeAdvTrigEdge', 'DAQmx_AO_ResolutionUnits',
'DAQmxErrorChanVersionNew', 'DAQmxErrorOutputBufferEmpty',
'DAQmxResetAIExcitVoltageOrCurrent',
'DAQmxSetRefTrigPretrigSamples',
'DAQmxSetDigPatternRefTrigWhen',
'DAQmxGetAnlgWinRefTrigCoupling',
'DAQmxErrorTermCfgdToDifferentMinPulseWidthByAnotherTask',
'DAQmxErrorOutputCantStartChangedBufferSize',
'DAQmxErrorFunctionNotInLibrary',
'DAQmxGetBufOutputBufSize', 'DAQmxErrorPALFileOpenFault',
'DAQmx_Read_RelativeTo', 'DAQmxSetCIEncoderZIndexVal',
'DAQmx_AI_Bridge_ShuntCal_Select',
'DAQmx_Val_Action_Commit',
'DAQmxErrorInvalidExtTrigImpedance',
'DAQmxResetAIAccelUnits', 'DAQmx_AI_LVDT_Sensitivity',
'DAQmx_Val_Pascals',
'DAQmxErrorStartFailedDueToWriteFailure',
'DAQmxErrorTooManyChansForAnalogRefTrig',
'DAQmx_SwitchDev_NumRelays', 'DAQmx_CI_DupCountPrevent',
'DAQmxGetExportedAIHoldCmpltEventOutputTerm',
'DAQmxErrorMeasCalAdjustOscillatorFrequency',
'DAQmxResetInterlockedHshkTrigSrc',
'DAQmxCreateAIPosRVDTChan', 'DAQmxWarningAISampRateTooLow',
'DAQmx_CI_TwoEdgeSep_Second_DigSync_Enable',
'DAQmxErrorStartTrigConflictWithCOHWTimedSinglePt',
'DAQmxErrorDigOutputOverrun',
'DAQmxResetCICtrTimebaseDigFltrTimebaseSrc',
'DAQmx_RealTime_ConvLateErrorsToWarnings',
'DAQmxWarningPALBadWindowType',
'DAQmxResetCIFreqDigFltrMinPulseWidth',
'DAQmx_DigPattern_StartTrig_Src',
'DAQmxErrorPALBadWriteMode', 'DAQmx_Val_RSE',
'DAQmxErrorCAPICannotPerformTaskOperationInAsyncCallback',
'DAQmxWarningPALFeatureNotSupported',
'DAQmxGetAIChanCalPolyForwardCoeff',
'DAQmxErrorCannotHandshakeWhenTristateIsFalse',
'DAQmxCreateCOPulseChanTime',
'DAQmx_Exported_SampClkTimebase_OutputTerm',
'DAQmxErrorFunctionNotSupportedForDeviceTasks',
'DAQmxErrorTrigWhenOnDemandSampTiming',
'DAQmxSetExported20MHzTimebaseOutputTerm',
'DAQmxErrorPALBadAddressSpace',
'DAQmx_Exported_AIConvClk_OutputTerm',
'DAQmx_CI_TwoEdgeSep_First_DigFltr_MinPulseWidth',
'DAQmxSetCITwoEdgeSepSecondEdge',
'DAQmxErrorCJCChanNotSpecd',
'DAQmx_Val_Switch_Topology_1130_Independent',
'DAQmx_Val_ALowBLow', 'DAQmxErrorPALComponentImageCorrupt',
'DAQmx_Val_Handshake', 'DAQmxResetAIRTDR0',
'DAQmxErrorPLLNotLocked', 'DAQmxErrorSCXIModuleNotFound',
'DAQmx_Val_Switch_Topology_2530_2_Wire_4x16_Matrix',
'DAQmxErrorReadWaitNextSampClkWaitMismatchOne',
'DAQmx_SampClk_DigFltr_MinPulseWidth',
'DAQmxErrorRoutingHardwareBusy', 'DAQmx_AI_AutoZeroMode',
'DAQmxResetCIPulseWidthUnits',
'DAQmxSetAIBridgeShuntCalSelect',
'DAQmx_AO_DAC_Ref_AllowConnToGnd',
'DAQmxWarningPALSyncAbandoned',
'DAQmxErrorRefTrigDigPatternSizeDoesNotMatchSourceSize',
'DAQmx_MasterTimebase_Rate', 'DAQmxGetHshkTrigType',
'DAQmxGetAIGain', 'DAQmxErrorIntExcitSrcNotAvailable',
'DAQmx_Val_Switch_Topology_2530_1_Wire_4x32_Matrix',
'DAQmxErrorMeasCalAdjustMainPathPreAmpGain',
'DAQmx_Cal_DevTemp', 'DAQmx_Read_ChannelsToRead',
'DAQmx_AI_StrainGage_GageFactor', 'DAQmx_Read_CurrReadPos',
'DAQmx_CI_Timestamp_InitialSeconds',
'DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseRate',
'DAQmxSetAnlgWinPauseTrigSrc',
'DAQmx_CI_PulseWidth_StartingEdge',
'DAQmxGetCICountEdgesCountDirDigFltrEnable',
'DAQmxResetAIStrainGagePoissonRatio', 'DAQmxGetAOTermCfg',
'DAQmxErrorInvalidTerm_Routing',
'DAQmxErrorLinesAlreadyReservedForOutput',
'DAQmxErrorCantSetPowerupStateOnDigInChan',
'DAQmx_CI_TwoEdgeSep_FirstTerm',
'DAQmxErrorAIMinNotSpecified', 'DAQmxGetAODACRefVal',
'DAQmxSetExportedHshkEventPulseWidth',
'DAQmxErrorMinNotLessThanMax',
'DAQmxErrorNoChansSpecdForPatternSource',
'DAQmxErrorPALBadOffset', 'DAQmxErrorInvalidTopology',
'DAQmxErrorDigPrptyCannotBeSetPerLine',
'DAQmx_Val_Switch_Topology_2593_Dual_4x1_Terminated_Mux',
'DAQmxErrorInvalidOutputVoltageAtSampClkRate',
'DAQmxGetCISemiPeriodDigFltrTimebaseSrc',
'DAQmx_Exported_AdvCmpltEvent_OutputTerm',
'DAQmx_AI_ACExcit_Freq', 'DAQmxErrorPALTransferOverread',
'DAQmxErrorCannotCreateChannelAfterTaskVerified',
'DAQmx_SampClk_Rate', 'DAQmxWriteDigitalU8',
'DAQmx_Val_Task_Unreserve', 'DAQmxSetDigPatternRefTrigSrc',
'DAQmxWriteDigitalScalarU32',
'DAQmx_AnlgEdge_StartTrig_Lvl',
'DAQmxGetExportedAdvCmpltEventDelay',
'DAQmx_DigEdge_AdvTrig_DigFltr_Enable',
'DAQmxWarningPALResourceInitialized',
'DAQmxGetAIAutoZeroMode', 'DAQmxCreateAIThrmstrChanVex',
'DAQmxResetSampTimingType',
'DAQmxSetCILinEncoderDistPerPulse',
'DAQmx_CI_CtrTimebaseMasterTimebaseDiv', 'DAQmxGetCIMin',
'DAQmxErrorSampClkRateTooLowForDivDown',
'DAQmx_AO_DAC_Ref_ExtSrc', 'DAQmx_Val_3Wire',
'DAQmx_Val_ActiveDrive',
'DAQmxSetCIPeriodDigFltrMinPulseWidth',
'DAQmxGetAIVoltageUnits', 'DAQmxReadAnalogF64',
'DAQmx_SampClk_Timebase_MasterTimebaseDiv',
'DAQmx_Val_Switch_Topology_2501_2_Wire_24x1_Amplified_Mux',
'DAQmxErrorSuitableTimebaseNotFoundTimeCombo',
'DAQmxErrorCJCChanAlreadyUsed',
'DAQmxGetCIEncoderZInputDigFltrMinPulseWidth',
'DAQmxErrorChanAlreadyInTask',
'DAQmxSetCICountEdgesDigFltrTimebaseRate',
'DAQmxSetCICtrTimebaseDigFltrMinPulseWidth',
'DAQmxGetDigLvlPauseTrigDigSyncEnable',
'DAQmxErrorProgFilterClkCfgdToDifferentMinPulseWidthBySameTask1PerDev',
'DAQmxErrorPropertyNotSupportedForScaleType',
'DAQmx_Val_T_Type_TC', 'DAQmxWarningPALBadMode',
'DAQmx_DigEdge_StartTrig_DigFltr_TimebaseSrc',
'DAQmxErrorPortReservedForHandshaking',
'DAQmx_Val_Switch_Topology_2503_2_Wire_Quad_6x1_Mux',
'DAQmxGetAnlgWinStartTrigBtm', 'DAQmx_Val_GPS_Timestamp',
'DAQmxSetCILinEncoderUnits', 'DAQmx_Val_HalfBridge',
'DAQmxErrorDevAbsentOrUnavailable_Routing',
'DAQmx_CO_Pulse_LowTime',
'DAQmxSetDigLvlPauseTrigDigFltrTimebaseRate',
'DAQmxErrorHystTrigLevelAIMax', 'DAQmx_CI_Max',
'DAQmx_RefTrig_PretrigSamples',
'DAQmxErrorInconsistentUnitsSpecified',
'DAQmxGetCIPeriodStartingEdge',
'DAQmxErrorPropertyNotSupportedForTimingSrc',
'DAQmx_Val_Switch_Topology_1193_Dual_8x1_Terminated_Mux',
'DAQmxErrorTypeUnknown',
'DAQmxErrorCounterMaxMinRangeFreq', 'DAQmx_Val_NoAction',
'DAQmxErrorTimingSrcTaskStartedBeforeTimedLoop',
'DAQmxErrorWriteBufferTooSmall', 'DAQmx_Val_Closed',
'DAQmxErrorPhysicalChansForChangeDetectionAndPatternMatch653x',
'DAQmxGetCICtrTimebaseDigFltrEnable',
'DAQmxSetCOPulseTerm',
'DAQmxErrorPowerupStateNotSpecdForEntirePort',
'DAQmxErrorReadNotCompleteBeforeSampClk',
'DAQmxGetAIThrmcplType',
'DAQmx_Val_Switch_Topology_1193_16x1_Terminated_Mux',
'DAQmxErrorTimingSrcDoesNotExist',
'DAQmxGetSwitchDevAutoConnAnlgBus',
'DAQmxErrorOperationTimedOut',
'DAQmxErrorLoadTaskFailsBecauseNoTimingOnDev',
'DAQmxGetAISoundPressureUnits',
'DAQmxGetAIExcitUseForScaling',
'DAQmxErrorHardwareNotResponding', 'DAQmxReadCounterU32',
'DAQmxErrorInvalidTerm', 'DAQmxSetHshkDelayAfterXfer',
'DAQmxGetDigPatternRefTrigSrc',
'DAQmxResetExportedHshkEventOutputTerm',
'DAQmxErrorDifferentRawDataCompression',
'DAQmxErrorPartialUseOfPhysicalLinesWithinPortNotSupported653x',
'DAQmxGetCISemiPeriodDigFltrTimebaseRate',
'DAQmxCfgSampClkTiming', 'DAQmxReadDigitalU8',
'DAQmx_Val_Position_AngEncoder',
'DAQmx_Exported_AdvTrig_Pulse_Width',
'DAQmxSetAIThrmstrR1', 'DAQmxSetDIDataXferMech',
'DAQmxSetExportedDividedSampClkTimebaseOutputTerm',
'DAQmx_AI_Bridge_ShuntCal_Enable',
'DAQmxResetCIFreqMeasMeth',
'DAQmxErrorDoneEventAlreadyRegistered',
'DAQmxErrorInvalidOptionForDigitalPortChannel',
'DAQmx_CI_Encoder_AInput_DigFltr_TimebaseSrc',
'DAQmxDisableStartTrig', 'DAQmx_Val_S_Type_TC',
'DAQmxSetExportedSampClkOutputBehavior',
'DAQmx_Val_Switch_Topology_2532_1_Wire_Sixteen_2x16_Matrix',
'DAQmx_Watchdog_Timeout',
'DAQmxErrorInvalidNumCalADCReadsToAverage',
'DAQmxWarningPALTransferAborted',
'DAQmxWarningDeviceMayShutDownDueToHighTemp',
'DAQmxErrorReferenceVoltageInvalid',
'DAQmxWarningRISAcqCompletedSomeBinsNotFilled',
'DAQmxErrorCounterOverflow', 'DAQmxGetReadOverWrite',
'DAQmx_Val_SynchronousEventCallbacks',
'DAQmxCreateTEDSAIPosLVDTChan',
'DAQmxGetCILinEncoderInitialPos', 'DAQmxGetAIRngHigh',
'DAQmxResetCICtrTimebaseDigFltrTimebaseRate',
'DAQmxErrorLinesUsedForHandshakingControlNotForStaticInput',
'DAQmxErrorEveryNSamplesEventNotSupportedForNonBufferedTasks',
'DAQmxGetCOPulseTerm',
'DAQmxErrorClearIsLastInstructionInIfElseBlockInScript',
'DAQmxErrorTEDSSensorNotDetected',
'DAQmxErrorTEDSMinElecValGEMaxElecVal',
'DAQmxErrorCannotUpdatePulseGenProperty',
'DAQmx_DigEdge_WatchdogExpirTrig_Src',
'DAQmxErrorWaitModePropertyNotSupportedNonBuffered',
'DAQmxGetAIFreqHyst',
'DAQmxErrorRefTrigDigPatternChanNotTristated',
'DAQmxResetCIEncoderZInputDigFltrTimebaseRate',
'DAQmxGetAnlgWinPauseTrigSrc',
'DAQmx_AI_ForceReadFromChan',
'DAQmx_Val_Save_AllowInteractiveEditing',
'DAQmx_CI_SemiPeriod_DigSync_Enable', 'float32',
'DAQmxErrorPXIStarAndClock10Sync',
'DAQmxErrorInvalidCalConstOscillatorFreqDACValue',
'DAQmxGetWriteRegenMode', 'DAQmxResetDOTristate',
'DAQmx_Val_mVoltsPerVoltPerMillimeter',
'DAQmxErrorCantExceedRelayDriveLimit',
'DAQmxResetCIPulseWidthStartingEdge',
'DAQmxSetAIACExcitWireMode',
'DAQmxSetSwitchDevSettlingTime',
'DAQmxResetAnlgEdgeRefTrigCoupling',
'DAQmx_Val_Switch_Topology_1130_1_Wire_256x1_Mux',
'DAQmx_Val_Switch_Topology_1130_1_Wire_Dual_128x1_Mux',
'DAQmxGetTaskName', 'DAQmxSetCISemiPeriodDigSyncEnable',
'DAQmxGetCIEncoderAInputDigFltrTimebaseRate',
'DAQmxErrorPALOSFault',
'DAQmx_Val_DoNotOverwriteUnreadSamps',
'DAQmx_CI_CountEdges_CountDir_DigFltr_MinPulseWidth',
'DAQmxErrorBufferWithWaitMode',
'DAQmxErrorPALOSUnsupported',
'DAQmx_Read_AvailSampPerChan',
'DAQmx_DigEdge_ArmStartTrig_Edge',
'DAQmxErrorPALBadPointer', 'DAQmxReadCounterF64',
'DAQmxErrorResourcesInUseForProperty',
'DAQmxErrorTriggerPolarityConflict',
'DAQmxSetCICtrTimebaseActiveEdge',
'DAQmxSetDigEdgeArmStartTrigDigFltrEnable',
'DAQmxSCBaseboardCalAdjust',
'DAQmxErrorDigFilterEnableSetWhenTristateIsFalse',
'DAQmxResetCICountEdgesActiveEdge',
'DAQmxGetHshkDelayAfterXfer', 'DAQmxSetAODACOffsetExtSrc',
'DAQmxErrorProductOfAOMaxAndGainTooLarge',
'DAQmxGetReadCurrReadPos', 'DAQmx_AI_DataXferReqCond',
'DAQmxErrorEveryNSampsEventIntervalZeroNotSupported',
'DAQmxWarningPALOSUnsupported',
'DAQmx_Val_Switch_Topology_2590_4x1_Mux',
'DAQmx_AI_Excit_ActualVal', 'DAQmxGetAIThrmcplCJCSrc',
'DAQmx_DigPattern_StartTrig_Pattern',
'DAQmxGetCIGPSSyncMethod', 'DAQmxGetStartTrigDelayUnits',
'DAQmxErrorDSFReadyForStartClock',
'DAQmxResetAnlgWinStartTrigCoupling',
'DAQmxGetDigLvlPauseTrigDigFltrEnable',
'DAQmxErrorCAPIChanIndexInvalid', 'DAQmxWriteCtrTime',
'DAQmxResetCOPulseLowTicks',
'DAQmxResetCITwoEdgeSepFirstDigSyncEnable',
'DAQmx_AI_ChanCal_Table_PreScaledVals',
'DAQmxSetCalInfoAttribute', 'DAQmxGetReadAvailSampPerChan',
'DAQmxSetExportedStartTrigOutputTerm',
'DAQmxSetSampClkTimebaseMasterTimebaseDiv',
'DAQmx_DI_DigFltr_MinPulseWidth', 'DAQmxGetWriteWaitMode',
'DAQmxErrorOutputCantStartChangedRegenerationMode',
'DAQmxErrorDuplicateDeviceIDInListWhenSettling',
'DAQmxErrorEveryNSampsTransferredFromBufferEventNotSupportedByDevice',
'DAQmxResetCIFreqDigFltrEnable', 'DAQmx_Val_BelowLvl',
'DAQmx_Val_FromCustomScale',
'DAQmxErrorRuntimeAborting_Routing',
'DAQmxErrorConnectOperatorInvalidAtPointInList',
'DAQmxWarningPALComponentAlreadyLoaded',
'DAQmx_Val_OnBrdMemMoreThanHalfFull',
'DAQmxGetExportedRdyForXferEventOutputTerm',
'DAQmxGetCITwoEdgeSepSecondTerm',
'DAQmxGetSwitchDevTopology', 'DAQmxGetAOMemMapEnable',
'DAQmxSetMasterTimebaseRate', 'DAQmx_DI_DataXferReqCond',
'DAQmxResetExportedHshkEventDelay',
'DAQmxGetCIFreqDigFltrTimebaseRate', 'DAQmxGetWriteOffset',
'DAQmxErrorSwitchActionInListSpansMultipleDevices',
'DAQmxResetWatchdogExpirTrigType',
'DAQmxErrorMarkerPosInvalidForLoopInScript',
'DAQmxErrorDataOverwrittenInDeviceMemory',
'DAQmxErrorInvalidDelaySampRateBelowPhaseShiftDCMThresh',
'DAQmx_AI_Thrmcpl_CJCVal', 'DAQmxGetCIPeriodUnits',
'DAQmxErrorSampClkRateExtSampClkTimebaseRateMismatch',
'DAQmx_AnlgEdge_StartTrig_Coupling',
'DAQmxErrorOutputBufferSizeNotMultOfXferSize',
'DAQmxWarningPALBadAddressClass',
'DAQmxResetExportedAdvTrigPulseWidth',
'DAQmxErrorDifftAIInputSrcInOneChanGroup',
'DAQmx_Val_OnBrdMemNotEmpty', 'DAQmx_Val_Degrees',
'DAQmxErrorPALBadThreadMultitask',
'DAQmxErrorInvalidNumSampsToWrite',
'DAQmxErrorCounterMaxMinRangeTime',
'DAQmxErrorPALThreadStackSizeNotSupported',
'DAQmxSetRealTimeReportMissedSamp',
'DAQmx_Cal_UserDefinedInfo',
'DAQmxSetDigEdgeStartTrigDigFltrMinPulseWidth',
'DAQmx_SampClk_DigFltr_TimebaseSrc',
'DAQmxErrorWroteMultiSampsUsingSingleSampWrite',
'DAQmxCreateTEDSAIThrmstrChanVex',
'DAQmxSetAIConvTimebaseDiv', 'DAQmxSetAIRngHigh',
'DAQmxSetDigEdgeAdvTrigSrc',
'DAQmxGetCICtrTimebaseDigSyncEnable',
'DAQmxErrorPALBadReadCount',
'DAQmxResetExportedHshkEventOutputBehavior',
'DAQmxResetAIFreqUnits', 'DAQmx_Scale_Descr',
'DAQmxCfgDigEdgeStartTrig', 'DAQmxSetAISoundPressureUnits',
'DAQmxErrorInconsistentExcit', 'DAQmxControlWatchdogTask',
'DAQmx_Val_Switch_Topology_1127_Independent',
'DAQmxGetCICount',
'DAQmxResetCICountEdgesDigFltrMinPulseWidth',
'DAQmxErrorForwardPolynomialCoefNotSpecd',
'DAQmxResetExportedHshkEventPulseWidth',
'DAQmx_Val_Switch_Topology_2530_1_Wire_Dual_64x1_Mux',
'DAQmxErrorCustomScaleNameUsed', 'DAQmx_Val_Freq',
'DAQmxRegisterSignalEvent',
'DAQmxSetRealTimeWaitForNextSampClkWaitMode',
'DAQmxErrorControlLineConflictOnPortC',
'DAQmxCreateCICountEdgesChan',
'DAQmx_Val_Switch_Topology_2597_6x1_Terminated_Mux',
'DAQmxGetSwitchDevPwrDownLatchRelaysAfterSettling',
'DAQmxErrorEventOutputTermIncludesTrigSrc',
'DAQmxErrorCounterOutputPauseTriggerInvalid',
'DAQmxGetSampClkDigFltrTimebaseSrc',
'DAQmxErrorEventPulseWidthOutOfRange',
'DAQmxErrorExcitationNotSupportedWhenTermCfgDiff',
'DAQmxGetReadOverloadedChans',
'DAQmxErrorNoDevMemForScript',
'DAQmxErrorActiveChannelNotSpecified', 'int8',
'DAQmxErrorInvalidWaveformLengthWithinLoopInScript',
'DAQmxSetAODACRefVal', 'DAQmx_Sys_DevNames',
'DAQmxErrorDisconnectPathNotSameAsExistingPath',
'DAQmxWarningStoppedBeforeDone',
'DAQmx_AO_OutputImpedance', 'DAQmx_CI_Encoder_ZInputTerm',
'DAQmxCreatePolynomialScale', 'DAQmxReadDigitalLines',
'DAQmxErrorMismatchedInputArraySizes',
'DAQmxResetAIImpedance', 'DAQmx_AI_Excit_UseForScaling',
'uInt16',
'DAQmxErrorCIInvalidTimingSrcForSampClkDueToSampTimingType',
'DAQmxCreateTEDSAICurrentChan',
'DAQmx_SampClk_TimebaseDiv',
'DAQmxGetExported10MHzRefClkOutputTerm',
'DAQmxSetAODACOffsetVal', 'DAQmxGetSwitchDevNumRelays',
'DAQmxErrorRepeatedNumberInPreScaledValues',
'DAQmxErrorAttemptToEnableLineNotPreviouslyDisabled',
'DAQmxSetCIEncoderBInputDigFltrTimebaseSrc',
'DAQmxGetReadChangeDetectHasOverflowed',
'DAQmxSetScaleMapScaledMax',
'DAQmxResetCILinEncoderDistPerPulse',
'DAQmx_Val_Switch_Topology_2503_2_Wire_24x1_Mux',
'DAQmxResetAnlgEdgeRefTrigLvl',
'DAQmxErrorPALVersionMismatch',
'DAQmxSetAIChanCalPolyReverseCoeff',
'DAQmxErrorMeasCalAdjustMainPathOutputImpedance',
'DAQmx_Val_ExtControlled', 'DAQmx_Val_TwoEdgeSep',
'DAQmxErrorSampClkDCMBecameUnlocked',
'DAQmxErrorChannelSizeTooBigForPortWriteType',
'DAQmx_Val_HalfBridgeI', 'DAQmxGetReadOffset',
'DAQmxResetCIEncoderZInputTerm',
'DAQmxErrorMStudioNoReversePolyScaleCoeffs',
'DAQmxGetCICtrTimebaseMasterTimebaseDiv',
'DAQmxErrorScanListCannotBeTimed',
'DAQmxErrorClkOutPhaseShiftDCMBecameUnlocked',
'DAQmxErrorChanCalRepeatedNumberInPreScaledVals',
'DAQmx_Val_Switch_Topology_1175_1_Wire_196x1_Mux',
'DAQmxResetCIPrescaler', 'DAQmx_Val_ReservedForRouting',
'DAQmxDeleteSavedTask', 'DAQmxGetAnlgLvlPauseTrigHyst',
'DAQmxResetExportedSignalAttribute',
'DAQmxWarningOutputGainTooHighForRFFreq',
'DAQmx_Val_CurrWritePos',
'DAQmxGetRealTimeWriteRecoveryMode',
'DAQmx_CO_CtrTimebaseActiveEdge', 'DAQmx_Val_FallingSlope',
'DAQmxCreateTableScale', 'DAQmxErrorPALWaitInterrupted',
'DAQmxErrorNonbufferedReadMoreThanSampsPerChan',
'DAQmxGetCICountEdgesCountDirDigSyncEnable',
'DAQmxErrorPALFileReadFault', 'DAQmxResetAIGain',
'DAQmxSetAnlgLvlPauseTrigSrc',
'DAQmx_Val_Switch_Topology_2586_10_SPST',
'DAQmxAdjust4204Cal', 'DAQmx_AO_DAC_Offset_Src',
'DAQmxSetRefClkSrc', 'DAQmx_Val_HighImpedance',
'DAQmx_Val_BuiltIn', 'DAQmxSetCOPulseFreqUnits',
'DAQmxResetDigEdgeStartTrigDigFltrTimebaseRate',
'DAQmxErrorMemMapOnlyForProgIOXfer',
'DAQmxErrorRouteFailedBecauseWatchdogExpired',
'DAQmxGetCICtrTimebaseDigFltrTimebaseSrc',
'DAQmxSetExportedAdvCmpltEventDelay',
'DAQmxErrorLabVIEWVersionDoesntSupportDAQmxEvents',
'DAQmxGetDIInvertLines',
'DAQmxWarningRateViolatesMinADCRate',
'DAQmxResetAnlgEdgeStartTrigCoupling',
'DAQmxWarningPALBadReadCount',
'DAQmx_CI_Freq_DigSync_Enable',
'DAQmxErrorCompressedSampSizeExceedsResolution',
'DAQmxGetWriteSleepTime', 'DAQmxGetCOPulseHighTime',
'DAQmxSetSwitchDevPwrDownLatchRelaysAfterSettling',
'DAQmxSetAIBridgeCfg',
'DAQmxErrorInconsistentAnalogTrigSettings',
'DAQmx_AI_CurrentShunt_Loc',
'DAQmx_Scale_Poly_ReverseCoeff',
'DAQmxErrorRefClkRateRefClkSrcMismatch',
'DAQmx_Val_Switch_Topology_1193_Quad_8x1_Mux',
'DAQmxSetExportedAdvCmpltEventPulseWidth',
'DAQmxSetExportedSignalAttribute',
'DAQmxErrorPasswordTooLong', 'DAQmxSetDigLvlPauseTrigWhen',
'DAQmxResetCIEncoderZIndexVal',
'DAQmx_Val_Switch_Topology_2530_2_Wire_64x1_Mux',
'DAQmx_Val_ActiveHigh', 'DAQmxGetAODACOffsetVal',
'DAQmxSetAnlgLvlPauseTrigLvl', 'DAQmxErrorOffsetTooLarge',
'DAQmxErrorImmedTrigDuringRISMode',
'DAQmxGetReadRawDataWidth',
'DAQmxGetDigEdgeAdvTrigDigFltrEnable',
'DAQmx_AI_ACExcit_WireMode', 'DAQmxSetAnlgWinStartTrigTop',
'DAQmxSetSampClkDigSyncEnable', 'DAQmx_Read_RawDataWidth',
'DAQmxResetDigEdgeStartTrigEdge',
'DAQmxResetCITwoEdgeSepFirstDigFltrEnable',
'DAQmxSetScaleMapPreScaledMin',
'DAQmxErrorInvalidDTInsideWfmDataType',
'DAQmxErrorDelayFromSampClkTooLong',
'DAQmx_AI_Voltage_Units', 'DAQmxSetDIDigFltrMinPulseWidth',
'DAQmxSetCIEncoderBInputDigFltrTimebaseRate',
'DAQmxResetAIExcitUseMultiplexed',
'DAQmx_AnlgWin_RefTrig_Btm', 'DAQmxErrorAttrCannotBeReset',
'DAQmxSetAOCurrentUnits', 'DAQmxSetCITimestampUnits',
'DAQmxSetSampClkTimebaseDiv',
'DAQmxErrorRefTrigWhenContinuous', 'DAQmxClearTask',
'DAQmx_PhysicalChan_TEDS_ModelNum',
'DAQmxErrorCannotPerformOpWhenTaskNotReserved',
'DAQmxResetExportedCtrOutEventPulsePolarity',
'DAQmxGetPhysicalChanName', 'DAQmxGetScaleAttribute',
'DAQmxResetAIThrmcplCJCVal', 'DAQmxWriteCtrTimeScalar',
'DAQmxWarningMultipleWritesBetweenSampClks',
'DAQmxResetCIEncoderAInputDigFltrMinPulseWidth',
'DAQmxErrorValueInvalid',
'DAQmxErrorCVIFunctionNotFoundInDAQmxDLL',
'DAQmxGetDigLvlPauseTrigDigFltrMinPulseWidth',
'DAQmxSetDOTristate', 'DAQmx_CI_Freq_MeasMeth',
'DAQmxSetSampQuantSampPerChan',
'DAQmx_Val_Switch_Topology_2527_1_Wire_Dual_32x1_Mux',
'DAQmxGetCITwoEdgeSepFirstDigFltrMinPulseWidth',
'DAQmx_Val_Switch_Topology_2501_2_Wire_Quad_6x1_Mux',
'DAQmxErrorCalibrationHandleInvalid',
'DAQmx_SampClk_DigFltr_Enable',
'DAQmxErrorRoutingDestTermPXIStarXNotInSlot2_Routing',
'DAQmxResetAITermCfg', 'DAQmxSetAODataXferReqCond',
'DAQmxErrorNonBufferedAndDataXferInterrupts',
'DAQmxErrorTooManyPhysicalChansInList',
'DAQmxErrorTooManyChans',
'DAQmx_Val_Switch_Topology_2530_4_Wire_Dual_16x1_Mux',
'DAQmxCreateAOCurrentChan',
'DAQmxErrorInputSignalSlowerThanMeasTime',
'DAQmxErrorPALThreadHasNoThreadObject',
'DAQmxSetSwitchScanAttribute',
'DAQmxErrorTaskCannotBeSavedSoInteractiveEditsAllowed',
'DAQmx_AO_Min', 'DAQmxResetExportedSampClkOutputTerm',
'DAQmxErrorEveryNSampsAcqIntoBufferEventAlreadyRegistered',
'DAQmxErrorDeviceNameNotFound_Routing',
'DAQmxErrorRoutingDestTermPXIStarXNotInSlot2',
'DAQmxWriteCtrFreq',
'DAQmxGetAILossyLSBRemovalCompressedSampSize',
'DAQmxCreateCISemiPeriodChan',
'DAQmx_Val_Switch_Topology_2530_Independent',
'DAQmxGetAIFreqThreshVoltage', 'DAQmx_AO_CustomScaleName',
'DAQmx_CI_TwoEdgeSep_First_DigSync_Enable',
'DAQmxSetAnlgEdgeRefTrigSlope', 'DAQmx_Val_Rising',
'DAQmxSetCIEncoderDecodingType', 'DAQmxResetWriteOffset',
'DAQmx_CI_Period_DigFltr_TimebaseSrc',
'DAQmxResetSyncPulseSrc',
'DAQmxErrorInsufficientOnBoardMemForNumRecsAndSamps',
'DAQmxErrorPALFeatureNotSupported', 'DAQmx_Val_FullBridge',
'DAQmx_PersistedTask_AllowInteractiveDeletion',
'DAQmxGetSysScales', 'DAQmx_CO_AutoIncrCnt',
'DAQmxErrorCannotSetPropertyWhenTaskRunning',
'DAQmx_DigEdge_StartTrig_DigSync_Enable',
'DAQmxReadAnalogScalarF64',
'DAQmxErrorDelayFromStartTrigTooShort',
'DAQmxErrorMStudioNoPolyScaleCoeffsUseCalc',
'DAQmx_CI_CtrTimebase_DigFltr_TimebaseSrc',
'DAQmxGetCIEncoderZInputDigFltrEnable',
'DAQmxResetAICoupling', 'DAQmx_CI_TwoEdgeSep_SecondTerm',
'DAQmxResetCIEncoderBInputDigFltrMinPulseWidth',
'DAQmxErrorInternalTimebaseRateDivisorSourceCombo',
'DAQmxErrorSCXIDevNotUsablePowerTurnedOff',
'DAQmx_Val_Auto', 'DAQmxSetAODataXferMech',
'DAQmxGetScalePolyForwardCoeff',
'DAQmxErrorF64PrptyValNotUnsignedInt',
'DAQmxResetAnlgLvlPauseTrigHyst',
'DAQmxResetAIChanCalTableScaledVals',
'DAQmxSetBufInputBufSize', 'DAQmxGetReadChannelsToRead',
'DAQmxResetCOCtrTimebaseRate',
'DAQmxErrorOutputBufSizeTooSmallToStartGen',
'DAQmxErrorResourcesInUseForInversion',
'DAQmxGetErrorString', 'DAQmx_AI_ChanCal_Verif_RefVals',
'DAQmxResetAnlgWinPauseTrigSrc',
'DAQmxErrorIdentifierTooLongInScript',
'DAQmx_Scale_PreScaledUnits', 'DAQmxResetAIRTDType',
'DAQmxErrorRouteNotSupportedByHW',
'DAQmx_Val_Switch_Topology_2532_2_Wire_8x32_Matrix',
'DAQmxErrorAIInputBufferSizeNotMultOfXferSize',
'DAQmx_Val_Source',
'DAQmxErrorAOMinMaxNotSupportedGivenDACRefVal',
'DAQmxErrorCantUseOnlyOnBoardMemWithProgrammedIO',
'DAQmxGetChanAttribute',
'DAQmxResetCICtrTimebaseDigSyncEnable',
'DAQmx_Val_Switch_Topology_1129_2_Wire_8x32_Matrix',
'DAQmxResetDelayFromSampClkDelay',
'DAQmxResetAIChanCalPolyForwardCoeff',
'DAQmxResetSampClkDigFltrEnable',
'DAQmxResetAIBridgeShuntCalSelect',
'DAQmxGetSwitchDevNumSwitchChans',
'DAQmxWarningPALBadDevice',
'DAQmxSetAIBridgeShuntCalEnable',
'DAQmxErrorSwitchOperationChansSpanMultipleDevsInList',
'DAQmxGetAnlgEdgeRefTrigSrc', 'DAQmx_RefClk_Src',
'DAQmx_Val_Strain',
'DAQmxResetDigEdgeArmStartTrigDigFltrTimebaseRate',
'DAQmxSetAnlgLvlPauseTrigWhen',
'DAQmxGetWriteRawDataWidth',
'DAQmxErrorDigitalOutputNotSupported',
'DAQmxErrorFailedToEnableHighSpeedOutput',
'DAQmxErrorNeedLabVIEW711PatchToUseDAQmxEvents',
'DAQmxErrorWatchdogTimeoutOutOfRangeAndNotSpecialVal',
'DAQmx_Scale_Table_PreScaledVals', 'DAQmxResetAdvTrigType',
'DAQmxErrorConnectionSeparatorAtEndOfList',
'DAQmxReadBinaryU16',
'DAQmxErrorSampClkTbMasterTbDivNotAppropriateForSampTbSrc',
'DAQmxErrorCOCannotKeepUpInHWTimedSinglePoint',
'DAQmxResetExportedCtrOutEventOutputTerm',
'DAQmx_SyncPulse_SyncTime', 'DAQmxGetCOPulseFreq',
'DAQmx_Val_ChannelCurrent', 'DAQmx_Val_Sleep',
'DAQmxSetCICountEdgesInitialCnt', 'DAQmxInitExtCal',
'DAQmxGetSyncPulseMinDelayToStart',
'DAQmx_Val_HighFreq2Ctr',
'DAQmxGetRealTimeNumOfWarmupIters',
'DAQmxGetCITwoEdgeSepSecondDigFltrTimebaseRate',
'DAQmx_Val_ChangeDetection', 'DAQmxConfigureTEDS',
'DAQmxErrorPALFileFault',
'DAQmxErrorNumSampsToWaitNotMultipleOfAlignmentQuantumInScript',
'DAQmxErrorResourcesInUseForRouteInTask',
'DAQmx_DigEdge_WatchdogExpirTrig_Edge',
'DAQmxErrorPALResourceNotReserved',
'DAQmx_Val_Switch_Topology_1169_100_SPST',
'DAQmx_AI_ChanCal_Table_ScaledVals',
'DAQmx_CO_CtrTimebase_DigFltr_Enable',
'DAQmx_Exported_CtrOutEvent_OutputBehavior',
'DAQmx_SwitchDev_NumSwitchChans',
'DAQmxSetSampClkTimebaseActiveEdge',
'DAQmxErrorCannotUnregisterDAQmxSoftwareEventWhileTaskIsRunning',
'DAQmxResetDigEdgeRefTrigEdge',
'DAQmxErrorPALComponentNotUnloadable',
'DAQmxResetAnlgWinRefTrigCoupling',
'DAQmxErrorCannotProduceMinPulseWidthGivenPropertyValues',
'DAQmxRegisterDoneEvent',
'DAQmxErrorInvalidTrigTypeSendsSWTrig',
'DAQmxErrorCantUsePort3AloneGivenSampTimingTypeOn653x',
'DAQmx_CI_Encoder_ZIndexVal',
'DAQmxGetExportedHshkEventPulsePolarity',
'DAQmxWarningPALComponentInitializationFault',
'DAQmxGetSwitchScanWaitingForAdv',
'DAQmx_PhysicalChan_TEDS_BitStream',
'DAQmx_PhysicalChan_TEDS_VersionLetter', 'DAQmxSaveScale',
'DAQmxSetExportedRefTrigOutputTerm',
'DAQmxErrorChanSizeTooBigForU8PortRead',
'DAQmx_Val_Switch_Topology_1163R_Octal_4x1_Mux',
'DAQmxGetCOPulseTimeUnits',
'DAQmxErrorOutputBufferUnderwrite',
'DAQmxErrorRoutingDestTermPXIChassisNotIdentified_Routing',
'DAQmxResetAOVoltageUnits', 'DAQmxSetRefTrigType',
'DAQmxResetAODACOffsetVal',
'DAQmxGetSwitchChanMaxACSwitchCurrent',
'DAQmxErrorInvalidAODataWrite',
'DAQmxErrorInternalAIInputSrcInMultChanGroups',
'DAQmx_Val_EverySample',
'DAQmxWarningWaitForNextSampClkDetectedMissedSampClk',
'DAQmxErrorDigitalTerminalSpecifiedMoreThanOnce',
'DAQmx_Val_PseudoDiff', 'DAQmxResetDigLvlPauseTrigWhen',
'uInt64',
'DAQmxErrorWaitForNextSampClkDetectedMissedSampClk',
'int16', 'DAQmxCreateTEDSAIThrmstrChanIex',
'DAQmxErrorSimultaneousAOWhenNotOnDemandTiming',
'DAQmxErrorCanExportOnlyDigEdgeTrigs',
'DAQmxErrorPROMOnTEDSContainsBasicTEDSData',
'DAQmx_Val_Switch_Topology_2532_1_Wire_16x32_Matrix',
'DAQmxGetAIChanCalEnableCal', 'DAQmx_Val_SemiPeriod',
'DAQmxGetAOEnhancedImageRejectionEnable',
'DAQmxResetCIFreqStartingEdge',
'DAQmx_Write_TotalSampPerChanGenerated',
'DAQmx_Exported_WatchdogExpiredEvent_OutputTerm',
'DAQmxErrorSamplesWillNeverBeGenerated',
'DAQmxSetDigPatternStartTrigPattern',
'DAQmxSetExportedHshkEventInterlockedAssertedLvl',
'DAQmxResetAIChanCalApplyCalIfExp',
'DAQmxErrorRoutingDestTermPXIStarInSlot16AndAbove_Routing',
'DAQmxSetAOUseOnlyOnBrdMem',
'DAQmxErrorAOMinMaxNotSupportedGivenDACRangeAndOffsetVal',
'DAQmx_Val_PathStatus_Available',
'DAQmxErrorVoltageExcitIncompatibleWith2WireCfg',
'DAQmxGetCIFreqStartingEdge',
'DAQmx_Exported_HshkEvent_Interlocked_AssertOnStart',
'DAQmxSetCICtrTimebaseDigSyncEnable',
'DAQmx_AI_RawSampJustification',
'DAQmxErrorInputFIFOOverflow2',
'DAQmxErrorOverloadedChansExistNotRead',
'DAQmxGetAnlgWinRefTrigWhen',
'DAQmxErrorUnsupportedTrigTypeSendsSWTrig',
'DAQmx_Val_mVoltsPerVoltPerRadian',
'DAQmxResetAnlgWinPauseTrigTop',
'DAQmxErrorNegativeWriteSampleNumber',
'DAQmxWarningPLLUnlocked',
'DAQmxErrorDataXferCustomThresholdNotDMAXferMethodSpecifiedForDev',
'DAQmxErrorChangeDetectionRisingAndFallingEdgeChanDontMatch',
'DAQmx_SampClk_MaxRate',
'DAQmxGetExportedCtrOutEventOutputTerm',
'DAQmxSetAnlgEdgeStartTrigLvl',
'DAQmx_PersistedChan_AllowInteractiveEditing',
'DAQmx_Buf_Output_BufSize',
'DAQmxErrorInvalidTimingSrcDueToSampTimingType',
'DAQmxWarningPALMemoryAlignmentFault',
'DAQmxSetAODACRngLow',
'DAQmxErrorExtRefClkRateNotSpecified',
'DAQmx_Val_OutsideWin', 'DAQmx_Val_ChanPerLine',
'DAQmxCloseExtCal', 'DAQmxResetPauseTrigType',
'DAQmxGetAnlgWinRefTrigTop',
'DAQmx_AI_Lowpass_SwitchCap_ClkSrc',
'DAQmxGetCICustomScaleName',
'DAQmxResetExportedChangeDetectEventOutputTerm',
'DAQmxGetAODACRefAllowConnToGnd', 'DAQmxSetAIMax',
'DAQmxGetExportedAIHoldCmpltEventPulsePolarity',
'DAQmxErrorCAPISyncCallbackNotSupportedInLVRT',
'DAQmx_CI_Encoder_ZIndexPhase',
'DAQmxErrorChanSizeTooBigForU16PortRead',
'DAQmx_AI_LeadWireResistance',
'DAQmx_Val_FirstPretrigSamp',
'DAQmxCreateAIMicrophoneChan',
'DAQmxErrorInternalClkDCMBecameUnlocked',
'DAQmx_Read_SleepTime',
'DAQmxErrorInvalidTriggerLineInList',
'DAQmx_Val_Switch_Topology_2529_2_Wire_4x32_Matrix',
'DAQmxErrorStartTrigSrcEqualToSampClkSrc',
'DAQmxErrorCOReadyForNewValNotSupportedWithHWTimedSinglePoint',
'DAQmx_RefClk_Rate', 'DAQmxChangeExtCalPassword',
'DAQmxErrorPolyCoeffsInconsistent',
'DAQmxWarningPALLogicalBufferEmpty', 'DAQmxWriteBinaryI32',
'DAQmx_Exported_AIConvClk_Pulse_Polarity',
'DAQmx_CI_CountEdges_CountDir_DigFltr_Enable',
'DAQmxErrorRoutingSrcTermPXIStarXNotInSlot2',
'DAQmxErrorPLLBecameUnlocked',
'DAQmxErrorWaitForNextSampClkDetected3OrMoreSampClks',
'DAQmxErrorCannotReadPastEndOfRecord',
'DAQmxResetAnlgEdgeRefTrigSrc', 'DAQmxErrorInvalidTask',
'DAQmx_Exported_DividedSampClkTimebase_OutputTerm',
'DAQmxGetAIExcitUseMultiplexed',
'DAQmxErrorNumLinesMismatchInReadOrWrite',
'DAQmxErrorSCXISerialCommunication',
'DAQmxDoneEventCallbackPtr',
'DAQmxErrorRelayNameNotSpecifiedInList',
'DAQmxCreateCIGPSTimestampChan',
'DAQmxErrorCOWritePulseHighTicksNotSupported',
'DAQmxSetAIStrainGageGageFactor', 'DAQmx_Val_Meters',
'DAQmxErrorTableScaleNumPreScaledAndScaledValsNotEqual',
'DAQmxGetTaskChannels', 'DAQmxErrorAIMaxTooSmall',
'DAQmxErrorLibraryNotPresent',
'DAQmx_CI_SemiPeriod_DigFltr_TimebaseSrc',
'DAQmxCfgOutputBuffer',
'DAQmxErrorInconsistentNumSamplesToWrite',
'DAQmxErrorChanDoesNotSupportCompression',
'DAQmxErrorPALBadReadOffset',
'DAQmxResetCILinEncoderInitialPos',
'DAQmxErrorMemMapAndSimultaneousAO',
'DAQmxErrorCOWriteDutyCycleOutOfRange',
'DAQmxGetAIEnhancedAliasRejectionEnable',
'DAQmxSetSampClkRate',
'DAQmx_Val_Switch_Topology_2568_31_SPST',
'DAQmxAdjust4225Cal', 'DAQmxResetWriteWaitMode',
'DAQmx_CO_CtrTimebase_DigFltr_TimebaseSrc',
'DAQmx_Val_LargeRng2Ctr',
'DAQmxErrorOpNotSupportedWhenRefClkSrcNone',
'DAQmxGetAIDevScalingCoeff', 'DAQmx_Val_AllowRegen',
'DAQmxGetDIDataXferMech', 'DAQmxGetSwitchChanMaxACVoltage',
'DAQmxGetCICountEdgesDigSyncEnable', 'DAQmxSetAOMin',
'DAQmx_Write_RelativeTo', 'DAQmxResetCIPeriodMeasTime',
'DAQmxErrorMaxSoundPressureAndMicSensitivityNotSupportedByDev',
'DAQmx_AO_OutputType',
'DAQmxErrorRoutingPathNotAvailable_Routing',
'DAQmxResetAICustomScaleName', 'DAQmxGetCalDevTemp',
'DAQmx_Val_VoltsPerG', 'DAQmxAdjust4220Cal',
'DAQmxErrorDelayFromSampClkWithExtConv',
'DAQmx_PhysicalChanName', 'DAQmxResetAIACExcitWireMode',
'DAQmx_Val_Switch_Topology_2503_2_Wire_4x6_Matrix',
'DAQmx_CI_PulseWidth_DigSync_Enable',
'DAQmxGetCIPulseWidthDigFltrMinPulseWidth',
'DAQmxErrorInvalidAOGainCalConst',
'DAQmx_Val_SampClkPeriods',
'DAQmxErrorTrigWhenAOHWTimedSinglePtSampMode',
'DAQmxSetInterlockedHshkTrigAssertedLvl',
'DAQmxErrorInvalidCfgCalAdjustMainPreAmpOffset',
'DAQmxSetSampTimingType', 'DAQmx_AnlgWin_RefTrig_Src',
'DAQmxErrorInvalidDeviceID',
'DAQmxErrorChanSizeTooBigForU16PortWrite',
'DAQmxErrorTEDSMinPhysValGEMaxPhysVal',
'DAQmxResetSampClkTimebaseMasterTimebaseDiv',
'DAQmx_Val_Switch_Topology_1129_2_Wire_Dual_4x32_Matrix',
'DAQmx_AI_StrainGage_PoissonRatio',
'DAQmxResetOnDemandSimultaneousAOEnable',
'DAQmxGetAnlgEdgeStartTrigHyst',
'DAQmxErrorWriteChanTypeMismatch', 'DAQmxReadDigitalU16',
'DAQmxSwitchConnect',
'DAQmxErrorCAPIReservedParamNotNULLNorEmpty',
'DAQmx_Val_ChannelVoltage',
'DAQmxGetDigPatternStartTrigPattern',
'DAQmx_Val_PathStatus_ChannelInUse',
'DAQmxResetDigPatternRefTrigWhen',
'DAQmx_StartTrig_DelayUnits',
'DAQmxErrorAttributeNotQueryableUnlessTaskIsCommitted',
'DAQmxGetCILinEncoderUnits',
'DAQmxGetAIBridgeNomResistance',
'DAQmxErrorRouteNotSupportedByHW_Routing',
'DAQmxErrorCannotHandshakeWithPort0', 'DAQmxStartTask',
'DAQmxGetAnlgEdgeStartTrigSlope',
'DAQmxErrorNoWatchdogOutputOnPortReservedForInput',
'DAQmx_Val_B_Type_TC', 'DAQmx_RealTime_ReportMissedSamp',
'DAQmxGetReadOverloadedChansExist',
'DAQmxGetCIAngEncoderPulsesPerRev', 'DAQmx_Val_NoBridge',
'DAQmxResetReadOffset',
'DAQmxErrorGlobalChanNameAlreadyTaskName',
'DAQmxGetRealTimeReportMissedSamp',
'DAQmx_CI_Period_DigFltr_Enable', 'DAQmxGetAIAtten',
'DAQmxGetAIChanCalDesc', 'DAQmxErrorDACRefValNotSet',
'DAQmxSwitchDisconnectMulti', 'DAQmxSetStartTrigDelay',
'DAQmxErrorResourcesInUseForInversionInTask',
'DAQmx_Val_DigLvl', 'DAQmx_AnlgWin_StartTrig_Coupling',
'DAQmxResetBufOutputBufSize',
'DAQmxSetCOCtrTimebaseDigFltrTimebaseSrc',
'DAQmxCfgAnlgEdgeRefTrig', 'DAQmx_SwitchDev_NumColumns',
'DAQmxErrorScriptDataUnderflow',
'DAQmxResetAIChanCalPolyReverseCoeff',
'DAQmxGetExportedCtrOutEventOutputBehavior',
'DAQmx_SwitchScan_RepeatMode',
'DAQmx_AO_DAC_Ref_ConnToGnd',
'DAQmx_Val_Switch_Topology_1130_2_Wire_Quad_32x1_Mux',
'DAQmxErrorUnexpectedSeparatorInList',
'DAQmxErrorMultipleRelaysForSingleRelayOp',
'DAQmxErrorBufferTooSmallForString',
'DAQmxWriteCtrFreqScalar', 'DAQmxWriteToTEDSFromArray',
'DAQmxSetAOGain', 'DAQmxSetAIRVDTUnits',
'DAQmx_AnlgWin_StartTrig_Src',
'DAQmxResetAODACOffsetExtSrc',
'DAQmxErrorMStudioNoForwardPolyScaleCoeffsUseCalc',
'DAQmxSetAOIdleOutputBehavior',
'DAQmxSetAIAccelSensitivity', 'DAQmxSetCOPrescaler',
'DAQmxErrorAODuringCounter1DMAConflict',
'DAQmxCreateAOVoltageChan',
'DAQmxSetDigEdgeStartTrigDigFltrEnable',
'DAQmxGetAIChanCalPolyReverseCoeff',
'DAQmx_DigEdge_ArmStartTrig_Src',
'DAQmxGetExportedHshkEventInterlockedAssertedLvl',
'DAQmxGetAIMicrophoneSensitivity',
'DAQmx_Buf_Output_OnbrdBufSize',
'DAQmxErrorIfElseBlockNotAllowedInConditionalRepeatLoopInScript',
'DAQmxSetExportedAdvCmpltEventOutputTerm',
'DAQmxErrorInvalidAnalogTrigSrc', 'DAQmxGetSampClkRate',
'DAQmx_Val_Position_RVDT',
'DAQmx_Val_Acquired_Into_Buffer',
'DAQmxGetCalUserDefinedInfo',
'DAQmxErrorCounterTimebaseRateNotSpecified',
'DAQmxSetAIRTDA', 'DAQmxSetAIRTDC', 'DAQmxSetAIRTDB',
'DAQmxErrorActionNotSupportedTaskNotWatchdog',
'DAQmxErrorCannotHaveCJTempWithOtherChans',
'DAQmxErrorDACRngHighNotEqualRefVal',
'DAQmx_AI_Temp_Units', 'DAQmxErrorPALResourceNotAvailable',
'DAQmx_CO_PulseDone', 'DAQmx_AI_Bridge_Balance_CoarsePot',
'DAQmxSetCIGPSSyncMethod', 'DAQmx_AI_Coupling',
'DAQmx_AI_Max', 'DAQmxErrorAIMaxNotSpecified',
'DAQmxErrorCannotOpenTopologyCfgFile',
'DAQmx_Val_DoNotInvertPolarity',
'DAQmxSetRealTimeWriteRecoveryMode',
'DAQmxSetCOCtrTimebaseRate',
'DAQmxErrorMeasCalAdjustMainPathPreAmpOffset',
'DAQmx_DigPattern_RefTrig_Src', 'DAQmxGetAIRTDType',
'DAQmxSetDIInvertLines', 'DAQmxResetSampClkSrc',
'DAQmxErrorPALBadAddressClass',
'DAQmxResetCITwoEdgeSepSecondEdge',
'DAQmxResetDIInvertLines',
'DAQmxErrorNoCommonTrigLineForTaskRoute',
'DAQmxErrorWriteFailsBufferSizeAutoConfigured',
'DAQmxErrorSamplesWillNeverBeAvailable',
'DAQmxErrorAutoStartWriteNotAllowedEventRegistered',
'DAQmxSwitchGetMultiRelayCount',
'DAQmxSetCICountEdgesTerm',
'DAQmx_Val_Switch_Topology_2530_1_Wire_128x1_Mux',
'DAQmxSetAnlgWinStartTrigWhen',
'DAQmxResetSampClkActiveEdge', 'DAQmxSwitchDisconnect',
'DAQmxSetCIPeriodDigFltrTimebaseRate',
'DAQmxErrorPALComponentAlreadyInstalled',
'DAQmxResetAnlgWinRefTrigBtm',
'DAQmxResetMasterTimebaseSrc',
'DAQmx_Val_Switch_Topology_2501_2_Wire_24x1_Mux',
'DAQmxErrorInvalidAcqTypeForFREQOUT',
'DAQmx_CI_TwoEdgeSep_SecondEdge',
'DAQmxSetDigEdgeRefTrigEdge', 'DAQmxResetWriteAttribute',
'DAQmxErrorExpectedSeparatorInList',
'DAQmxGetCIEncoderZIndexVal',
'DAQmxSetAIBridgeBalanceFinePot', 'DAQmxSetRefClkRate',
'DAQmx_Val_Ohms', 'DAQmx_CI_Encoder_ZInput_DigFltr_Enable',
'DAQmxSetAILVDTSensitivityUnits', 'DAQmx_AI_Gain',
'DAQmxCreateAIThrmstrChanIex',
'DAQmxErrorFewerThan2PreScaledVals', 'DAQmxSetCOPulseFreq',
'DAQmx_CO_Pulse_HighTicks',
'DAQmxErrorOnlyContinuousScanSupported',
'DAQmxSetCITwoEdgeSepFirstTerm',
'DAQmxResetCICountEdgesTerm', 'DAQmxSetCIPrescaler',
'DAQmxGetCICtrTimebaseRate',
'DAQmxWarningUserDefInfoStringTooLong',
'DAQmxResetAIFreqThreshVoltage',
'DAQmx_CI_PulseWidth_Term',
'DAQmxSetCOCtrTimebaseDigSyncEnable',
'DAQmxResetAOCustomScaleName',
'DAQmxCalculateReversePolyCoeff',
'DAQmxResetCISemiPeriodDigFltrTimebaseSrc',
'DAQmxErrorExtCalFunctionOutsideExtCalSession',
'DAQmxGetAIRTDA', 'DAQmxGetAIRTDC', 'DAQmxGetAIRTDB',
'DAQmxGetAOMin', 'DAQmx_Val_GroupByScanNumber',
'DAQmxGetCOPulseDutyCyc', 'DAQmxGetAICurrentUnits',
'DAQmxErrorPowerBudgetExceeded',
'DAQmxGetAIChanCalTableScaledVals', 'DAQmxGetAIImpedance',
'DAQmxResetCIGPSSyncMethod', 'DAQmxResetAIStrainUnits',
'DAQmx_Val_LeavingWin',
'DAQmxSetDigEdgeStartTrigDigFltrTimebaseRate',
'DAQmxResetDOUseOnlyOnBrdMem',
'DAQmxErrorInvalidAdvanceEventTriggerType',
'DAQmxGetCOPulseFreqInitialDelay',
'DAQmxErrorIntermediateBufferSizeNotMultipleOfIncr',
'DAQmxResetDigEdgeArmStartTrigDigFltrMinPulseWidth',
'DAQmxErrorCOWriteFreqOutOfRange',
'DAQmxErrorCannotRegisterDAQmxSoftwareEventWhileTaskIsRunning',
'DAQmxErrorWaveformNameTooLong',
'DAQmxErrorAOEveryNSampsEventIntervalNotMultipleOf2',
'DAQmxSetExportedRdyForXferEventLvlActiveLvl',
'DAQmx_SwitchDev_NumRows',
'DAQmxErrorTDCNotEnabledDuringRISMode',
'DAQmxWarningPALPhysicalBufferEmpty',
'DAQmxSetCIFreqMeasTime', 'DAQmx_Sys_NIDAQMinorVersion',
'DAQmxResetDigPatternStartTrigWhen',
'DAQmxSetCICountEdgesDirTerm',
'DAQmxSetExportedSampClkOutputTerm',
'DAQmx_AIConv_ActiveEdge',
'DAQmxSetStartTrigRetriggerable',
'DAQmx_SampClk_DigSync_Enable',
'DAQmxGetExportedRdyForXferEventLvlActiveLvl',
'DAQmxErrorSCXI1122ResistanceChanNotSupportedForCfg',
'DAQmxResetAIRVDTSensitivity',
'DAQmx_AO_EnhancedImageRejectionEnable',
'DAQmxSetAODACRngHigh',
'DAQmxSetCICtrTimebaseMasterTimebaseDiv',
'DAQmxErrorStartTrigDigPatternChanNotInTask',
'DAQmxWarningLowpassFilterSettlingTimeExceedsUserTimeBetween2ADCConversions',
'DAQmxResetCIFreqMeasTime',
'DAQmxErrorDAQmxCantRetrieveStringDueToUnknownChar',
'DAQmxSetSwitchScanRepeatMode',
'DAQmxGetReadReadAllAvailSamp',
'DAQmxErrorClkDoublerDCMLock',
'DAQmxGetDigEdgeStartTrigDigSyncEnable',
'DAQmx_CO_RdyForNewVal', 'DAQmxSetAIDataXferReqCond',
'DAQmxResetCIDataXferMech',
'DAQmxErrorDigFilterNotAvailableOnTerm',
'DAQmx_Exported_HshkEvent_Pulse_Polarity',
'DAQmxResetDigEdgeStartTrigDigFltrEnable',
'DAQmx_AI_ChanCal_ScaleType',
'DAQmxGetSwitchDeviceAttribute',
'DAQmxErrorMeasCalAdjustMainPathPostAmpGainAndOffset',
'DAQmxWriteCtrTicks', 'DAQmxWarningPALMemoryHeapNotEmpty',
'DAQmx_Scale_ScaledUnits',
'DAQmxGetDigEdgeStartTrigDigFltrEnable',
'DAQmxResetAnlgEdgeStartTrigLvl',
'DAQmxGetCIDupCountPrevent', 'DAQmx_CI_Period_MeasMeth',
'DAQmxErrorZeroReversePolyScaleCoeffs',
'DAQmx_Val_WDTExpiredEvent', 'DAQmx_Dev_SerialNum',
'DAQmx_AnlgWin_StartTrig_Top',
'DAQmxResetCIPeriodDigFltrMinPulseWidth',
'DAQmx_Val_WriteToEEPROM',
'DAQmxGetScaleTablePreScaledVals',
'DAQmxErrorNoDivisorForExternalSignal',
'DAQmx_AO_LoadImpedance', 'DAQmxErrorResourceNotFound',
'DAQmxErrorDifferentAIInputSrcInOneChanGroup',
'DAQmxWarningTooManyInterruptsPerSecond',
'DAQmxGetCOPulseHighTicks', 'DAQmxGetWriteRelativeTo',
'DAQmx_DigEdge_StartTrig_DigFltr_MinPulseWidth',
'DAQmxSetAIExcitVoltageOrCurrent',
'DAQmx_Val_PathStatus_SourceChannelConflict',
'DAQmx_Val_OpenCollector',
'DAQmx_Val_mVoltsPerVoltPerDegree',
'DAQmxWarningWriteNotCompleteBeforeSampClk',
'DAQmx_Val_Cfg_Default',
'DAQmxErrorDelayFromSampClkTooShort',
'DAQmxSetWriteAttribute', 'DAQmx_CO_Pulse_HighTime',
'DAQmx_CI_Encoder_ZInput_DigSync_Enable',
'DAQmxGetSampQuantSampPerChan',
'DAQmxGetScaleMapScaledMax', 'DAQmx_AI_CustomScaleName',
'DAQmxGetSampClkDigFltrMinPulseWidth',
'DAQmxErrorStartTrigOutputTermNotSupportedGivenTimingType',
'DAQmxSetAIDataXferCustomThreshold',
'DAQmxErrorCannotTristate8255OutputLines',
'DAQmx_AI_Excit_Src', 'DAQmxErrorCAPIReservedParamNotNULL',
'DAQmx_SwitchChan_Bandwidth', 'DAQmxSetAICurrentUnits',
'DAQmx_AI_RawSampSize', 'DAQmxGetAOGain',
'DAQmxResetExportedHshkEventInterlockedAssertedLvl',
'DAQmxGetExportedStartTrigOutputTerm',
'DAQmxErrorInvalidCalConstOscillatorPhaseDACValue',
'DAQmxGetCIAngEncoderInitialAngle', 'DAQmxClearTEDS',
'DAQmxErrorRouteSrcAndDestSame_Routing',
'DAQmxResetCICountEdgesCountDirDigFltrMinPulseWidth',
'DAQmxGetExportedAdvTrigPulseWidth',
'DAQmxCfgAnlgWindowStartTrig', 'DAQmxGetCOPulseLowTime',
'DAQmxWarningPALBadOffset',
'DAQmxErrorCannotScanWithCurrentTopology',
'DAQmxSetAILVDTUnits',
'DAQmxWarningOutputGainTooLowForRFFreq',
'DAQmxErrorResourcesInUseForInversion_Routing',
'DAQmxSetExportedChangeDetectEventOutputTerm',
'DAQmxErrorAOMinMaxNotInDACRange',
'DAQmxCfgDigPatternStartTrig',
'DAQmxSetCIEncoderAInputDigFltrTimebaseSrc',
'DAQmxAdjust4224Cal', 'DAQmx_CI_TwoEdgeSep_FirstEdge',
'DAQmx_SampClk_DigFltr_TimebaseRate', 'DAQmx_AO_TermCfg',
'DAQmxDisconnectTerms', 'DAQmx_Val_Action_Cancel',
'DAQmxResetExportedHshkEventPulsePolarity',
'DAQmxResetAIFreqHyst', 'DAQmxGetWatchdogHasExpired',
'DAQmxErrorSampleRateNumChansConvertPeriodCombo',
'DAQmxResetAILowpassEnable',
'DAQmxErrorNumPtsToComputeNotPositive',
'DAQmx_AI_RVDT_SensitivityUnits', 'DAQmxGetDITristate',
'DAQmxErrorStartTrigDigPatternSizeDoesNotMatchSourceSize',
'DAQmxErrorInvalidDateTimeInEEPROM',
'DAQmxGetCISemiPeriodTerm',
'DAQmxGetCICountEdgesCountDirDigFltrMinPulseWidth',
'DAQmxSetScalePolyForwardCoeff', 'DAQmxGetAILVDTUnits',
'DAQmx_CI_CountEdges_DigFltr_MinPulseWidth',
'DAQmxSetDigPatternStartTrigSrc',
'DAQmxSetAIResistanceCfg',
'DAQmxErrorPALDMALinkEventMissed',
'DAQmxErrorNoLastExtCalDateTimeLastExtCalNotDAQmx',
'DAQmxSetCOAutoIncrCnt',
'DAQmxResetDigPatternRefTrigPattern',
'DAQmxErrorDifftSyncPulseSrcAndSampClkTimebaseSrcDevMultiDevTask',
'DAQmxSwitchFindPath', 'DAQmxSetBufOutputOnbrdBufSize',
'DAQmx_Task_Complete',
'DAQmxSetCITwoEdgeSepSecondDigFltrTimebaseSrc',
'DAQmxWarningPALPhysicalBufferFull',
'DAQmxGetCIEncoderZInputDigFltrTimebaseRate',
'DAQmxResetDigLvlPauseTrigDigSyncEnable',
'DAQmx_CI_PulseWidth_DigFltr_TimebaseRate',
'DAQmxGetCIEncoderBInputDigSyncEnable',
'DAQmxErrorOffsetTooSmall',
'DAQmxErrorChannelNotAvailableInParallelMode',
'DAQmxErrorTooManyChansForInternalAIInputSrc',
'DAQmxSetAICurrentShuntLoc',
'DAQmxErrorCannotGetPropertyWhenTaskNotReservedCommittedOrRunning',
'DAQmx_AIConv_Rate',
'DAQmxErrorActiveChanNotSpecdWhenGetting1LinePrpty',
'DAQmxErrorRoutingSrcTermPXIChassisNotIdentified',
'DAQmx_Val_AdvanceTrigger',
'DAQmxErrorReversePowerProtectionActivated',
'DAQmxSetWatchdogAttribute',
'DAQmxErrorRoutingSrcTermPXIChassisNotIdentified_Routing',
'DAQmxSetCIEncoderBInputTerm',
'DAQmxRegisterEveryNSamplesEvent', 'DAQmxSetReadOffset',
'DAQmxErrorInvalidCalLowPassCutoffFreq',
'DAQmx_AI_Bridge_NomResistance',
'DAQmxErrorInvalidCfgCalAdjustMainPathPreAmpGain',
'DAQmxResetCIEncoderZInputDigFltrMinPulseWidth',
'DAQmx_Interlocked_HshkTrig_Src', 'DAQmxResetReadWaitMode',
'DAQmxErrorPALMessageOverflow',
'DAQmxResetCICountEdgesInitialCnt', 'DAQmxGetCIPeriodTerm',
'DAQmxResetDIDataXferMech', 'DAQmx_Val_AO',
'DAQmxErrorBuiltInTempSensorNotSupported',
'DAQmxReadBinaryU32', 'DAQmxCfgDigEdgeRefTrig',
'DAQmx_Val_Switch_Topology_1130_1_Wire_Sixteen_16x1_Mux',
'DAQmx_Read_Offset', 'DAQmx_Val_AC',
'DAQmxErrorReadWaitNextSampClkWaitMismatchTwo',
'DAQmxResetAnlgWinStartTrigBtm', 'DAQmxGetCOPulseLowTicks',
'DAQmxErrorPALIrrelevantAttribute',
'DAQmxErrorInternalSampClkNotRisingEdge',
'DAQmx_CI_CtrTimebase_DigSync_Enable',
'DAQmxErrorDataXferRequestConditionNotSpecifiedForCustomThreshold',
'DAQmxErrorMemMapAndBuffer',
'DAQmxErrorLinesUsedForStaticInputNotForHandshakingInput',
'DAQmxGetSysNIDAQMajorVersion',
'DAQmxErrorMeasuredBridgeOffsetTooHigh',
'DAQmxGetAIChanCalOperatorName',
'DAQmxGetExportedHshkEventOutputBehavior',
'DAQmxGetAIChanCalApplyCalIfExp', 'DAQmx_Val_Load',
'DAQmxResetSampClkDigFltrMinPulseWidth',
'DAQmxErrorPXIDevTempCausedShutDown',
'DAQmxSetCOCtrTimebaseSrc', 'DAQmxGetPersistedScaleAuthor',
'DAQmx_CI_SemiPeriod_DigFltr_Enable',
'DAQmxGetCITwoEdgeSepFirstTerm',
'DAQmxSetDigPatternStartTrigWhen',
'DAQmxGetNthTaskReadChannel', 'DAQmxResetAIThrmcplType',
'DAQmxWaitUntilTaskDone', 'DAQmxSetAIAtten',
'DAQmx_AI_Freq_ThreshVoltage',
'DAQmxErrorAOSampTimingTypeDifferentIn2Tasks',
'DAQmx_DigLvl_PauseTrig_DigSync_Enable',
'DAQmxErrorInvalidNumberSamplesToRead',
'DAQmxErrorNoDMAChansAvailable',
'DAQmx_Val_Switch_Topology_2532_1_Wire_Dual_16x16_Matrix',
'DAQmxErrorMarkerOutsideWaveformInScript',
'DAQmxResetAILowpassSwitchCapClkSrc',
'DAQmx_CI_CountEdges_InitialCnt',
'DAQmxErrorExtCalNotComplete',
'DAQmx_Val_Switch_Topology_1127_1_Wire_64x1_Mux',
'DAQmxErrorSamplesNotYetAvailable',
'DAQmxCreateAIFreqVoltageChan',
'DAQmxResetAICurrentShuntLoc',
'DAQmxGetCICountEdgesDigFltrTimebaseRate',
'DAQmxGetCICountEdgesCountDirDigFltrTimebaseSrc',
'DAQmxErrorMultipleChansNotSupportedDuringCalSetup',
'DAQmxIsTaskDone', 'DAQmxErrorCantSaveTaskWithoutReplace',
'DAQmx_Exported_AdvCmpltEvent_Delay',
'DAQmx_Write_DigitalLines_BytesPerChan',
'DAQmxSetCOPulseTimeUnits',
'DAQmx_CI_SemiPeriod_StartingEdge', 'DAQmx_Val_Kelvins',
'DAQmxErrorDuplicateTask', 'DAQmxGetAODACRefExtSrc',
'DAQmxSetAIExcitVal', 'DAQmxGetCICountEdgesDirTerm',
'DAQmx_CI_Freq_MeasTime',
'DAQmx_CI_TwoEdgeSep_Second_DigFltr_MinPulseWidth',
'DAQmx_AI_Lowpass_Enable', 'DAQmxSetDOUseOnlyOnBrdMem',
'DAQmxErrorCounterStartPauseTriggerConflict',
'DAQmx_Val_Switch_Topology_2532_1_Wire_4x128_Matrix',
'DAQmxResetSampQuantSampMode',
'DAQmxSetCIEncoderZInputDigFltrTimebaseRate',
'DAQmxErrorMStudioNoReversePolyScaleCoeffsUseCalc',
'DAQmxErrorPALFirmwareFault', 'DAQmxSetCISemiPeriodTerm',
'DAQmxGetCISemiPeriodDigSyncEnable',
'DAQmxResetAILowpassSwitchCapExtClkFreq', 'int32',
'DAQmxGetStartTrigType',
'DAQmxErrorSampClkTimebaseDCMBecameUnlocked',
'DAQmxErrorSemicolonDoesNotFollowRangeInList',
'DAQmxGetAnlgWinPauseTrigTop', 'DAQmxGetPauseTrigType',
'DAQmxSetCOCtrTimebaseMasterTimebaseDiv',
'DAQmxErrorCannotAddNewDevsAfterTaskConfiguration',
'DAQmxWarningSampClkRateAboveDevSpecs',
'DAQmxErrorReversePolyOrderLessThanNumPtsToCompute',
'DAQmxResetAnlgLvlPauseTrigWhen',
'DAQmx_DigEdge_ArmStartTrig_DigFltr_MinPulseWidth',
'DAQmxSetExportedHshkEventOutputBehavior',
'DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseSrc',
'DAQmxGetCOCtrTimebaseDigSyncEnable',
'DAQmxErrorMoreThanOneTerminal', 'DAQmx_Val_CountDown',
'DAQmx_CI_PulseWidth_DigFltr_Enable',
'DAQmxErrorDuplicateDeviceName_Routing',
'DAQmxErrorInvalidPhysicalChanForCal',
'DAQmx_AO_DAC_Ref_Src', 'DAQmxGetScalePreScaledUnits',
'DAQmxResetAILVDTSensitivityUnits',
'DAQmxErrorEndpointNotFound',
'DAQmxResetCICtrTimebaseRate',
'DAQmxErrorSubsetStartOffsetNotAlignedInScript',
'DAQmxErrorUnexpectedEndOfActionsInList',
'DAQmxGetWriteAttribute', 'DAQmxWarningPALBadWriteCount',
'DAQmxResetCIEncoderBInputDigFltrTimebaseSrc',
'DAQmxResetCITwoEdgeSepSecondDigFltrMinPulseWidth',
'DAQmxResetCIAngEncoderUnits',
'DAQmxResetAOEnhancedImageRejectionEnable',
'DAQmxGetSyncPulseSyncTime',
'DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseRate',
'DAQmxWarningPALBadReadOffset',
'DAQmxErrorSwitchDevShutDownDueToHighTemp',
'DAQmx_Val_Task_Reserve', 'DAQmxDeleteSavedScale',
'DAQmx_AnlgWin_StartTrig_When',
'DAQmx_AI_Accel_SensitivityUnits',
'DAQmxGetPersistedScaleAllowInteractiveEditing',
'DAQmxGetCOPrescaler',
'DAQmxErrorPALResourceNotInitialized',
'DAQmxErrorChanCalScaleTypeNotSet',
'DAQmx_Val_Switch_Topology_2576_2_Wire_Sixteen_4x1_Mux',
'DAQmxGetAIRTDR0', 'DAQmxGetAIResistanceUnits',
'DAQmxErrorExplicitConnectionExists',
'DAQmx_Val_Pulse_Freq', 'DAQmxSetCOCtrTimebaseActiveEdge',
'DAQmxErrorCanNotPerformOpWhenNoChansInTask',
'DAQmxErrorPropertyNotSupportedNotOutputTask',
'DAQmxResetCIGPSSyncSrc',
'DAQmxResetExportedHshkEventInterlockedDeassertDelay',
'DAQmx_CI_TwoEdgeSep_First_DigFltr_Enable',
'DAQmxErrorInvalidRefClkSrcGivenSampClkSrc',
'DAQmx_AI_Lowpass_SwitchCap_OutClkDiv',
'DAQmx_CI_TCReached', 'DAQmxSetAIConvActiveEdge',
'DAQmx_ChangeDetect_DI_FallingEdgePhysicalChans',
'DAQmxGetCIFreqMeasTime', 'DAQmx_Val_mVoltsPerG',
'DAQmxErrorDLLLock', 'DAQmx_Exported_SampClk_OutputTerm',
'DAQmxErrorStreamDCMLock',
'DAQmx_CO_Pulse_Freq_InitialDelay',
'DAQmxErrorAOMinMaxNotSupportedGivenDACRefAndOffsetVal',
'DAQmxErrorHWTimedSinglePointNotSupportedAI',
'DAQmxGetAIDataXferReqCond',
'DAQmxErrorSampClkRateNotSupportedWithEARDisabled',
'DAQmx_SwitchChan_MaxACCarryPwr',
'DAQmx_SwitchChan_MaxACSwitchCurrent',
'DAQmxGetCISemiPeriodStartingEdge',
'DAQmxErrorPALPhysicalBufferFull',
'DAQmxGetAIBridgeShuntCalGainAdjust',
'DAQmxErrorSwitchCannotDriveMultipleTrigLines',
'DAQmxWriteBinaryI16',
'DAQmxSetCICountEdgesCountDirDigSyncEnable',
'DAQmxGetWriteNumChans',
'DAQmxErrorCtrHWTimedSinglePointAndDataXferNotProgIO',
'DAQmxErrorAOMinMaxNotSupportedGivenDACOffsetVal',
'DAQmxSetSampClkDigFltrEnable',
'DAQmxErrorEveryNSampsTransferredFromBufferEventAlreadyRegistered',
'DAQmxSetCICountEdgesDigFltrMinPulseWidth',
'DAQmxErrorAcqStoppedDriverCantXferDataFastEnough',
'DAQmxErrorInvalidVoltageReadingDuringExtCal',
'DAQmxErrorAttributeInconsistentAcrossChannelsOnDevice',
'DAQmxGetAnlgWinStartTrigWhen',
'DAQmxCreateAIStrainGageChan',
'DAQmx_AI_Bridge_Balance_FinePot',
'DAQmxGetDigEdgeStartTrigDigFltrMinPulseWidth',
'DAQmxResetSampClkTimebaseSrc',
'DAQmxResetCICtrTimebaseDigFltrEnable',
'DAQmxGetSysNIDAQMinorVersion',
'DAQmxErrorDifferentRawDataFormats',
'DAQmx_CI_Period_DigSync_Enable', 'DAQmxAOSeriesCalAdjust',
'DAQmxSetAOEnhancedImageRejectionEnable',
'DAQmxErrorAOPropertiesCauseVoltageBelowMin',
'DAQmx_CI_NumPossiblyInvalidSamps',
'DAQmx_AI_ChanCal_ApplyCalIfExp',
'DAQmxErrorPulseActiveAtStart',
'DAQmxErrorTEDSMappingMethodInvalidOrUnsupported',
'DAQmxSetCIAngEncoderUnits',
'DAQmx_Val_Switch_Topology_2596_Dual_6x1_Mux',
'DAQmxErrorPhysicalChanNotOnThisConnector',
'DAQmxGetReadNumChans', 'DAQmx_Write_RawDataWidth',
'DAQmxGetCITwoEdgeSepFirstDigFltrEnable',
'DAQmxError20MhzTimebaseNotSupportedGivenTimingType',
'DAQmx_AI_Resolution', 'DAQmx_Write_Offset',
'DAQmxErrorInvalidIDInListAtBeginningOfSwitchOperation',
'DAQmxErrorCOMultipleWritesBetweenSampClks',
'DAQmxResetAODACRefExtSrc',
'DAQmxSetCOCtrTimebaseDigFltrMinPulseWidth',
'DAQmxSetCIEncoderZIndexEnable',
'DAQmxSetCOPulseTimeInitialDelay',
'DAQmxErrorPALFunctionNotFound',
'DAQmxErrorPortDoesNotSupportHandshakingDataIO',
'DAQmx_AI_Atten', 'DAQmx_AI_Thrmcpl_CJCSrc',
'DAQmxErrorAttributeInconsistentAcrossRepeatedPhysicalChannels',
'DAQmxSetCIFreqDigFltrTimebaseRate',
'DAQmxSetAIMicrophoneSensitivity',
'DAQmx_AO_UseOnlyOnBrdMem',
'DAQmxErrorPropertyUnavailWhenUsingOnboardMemory',
'DAQmxWarningPALTransferOverwritten',
'DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseSrc',
'DAQmxSetCOPulseDutyCyc',
'DAQmx_OnDemand_SimultaneousAOEnable',
'DAQmxErrorIdentifierInListTooLong',
'DAQmxErrorCppCantRemoveInvalidEventHandler',
'DAQmx_Val_Switch_Topology_2575_1_Wire_196x1_Mux',
'DAQmx_AI_ResistanceCfg', 'DAQmxResetAILowpassCutoffFreq',
'DAQmxResetRefTrigType', 'DAQmx_SwitchChan_MaxDCSwitchPwr',
'DAQmxGetCIFreqTerm',
'DAQmxErrorCabledModuleCannotRouteConvClk',
'DAQmxResetCIFreqDigFltrTimebaseSrc',
'DAQmxResetCOPrescaler', 'DAQmxResetCOPulseTerm',
'DAQmxGetScaleDescr', 'DAQmxGetAnlgWinStartTrigCoupling',
'DAQmxErrorNoMoreSpace', 'DAQmxErrorDDCClkOutDCMLock',
'DAQmxGetAnlgLvlPauseTrigLvl',
'DAQmxErrorInputCfgFailedBecauseWatchdogExpired',
'DAQmx_Val_Voltage', 'DAQmx_ChanDescr',
'DAQmxResetCISemiPeriodStartingEdge', 'DAQmxGetSysTasks',
'DAQmxErrorPrptyGetSpecdActiveItemFailedDueToDifftValues',
'DAQmx_CI_Freq_DigFltr_MinPulseWidth',
'DAQmx_Val_EnteringWin',
'DAQmxErrorSignalEventsNotSupportedByDevice',
'DAQmxWarningAIConvRateTooLow',
'DAQmxSetCISemiPeriodDigFltrEnable',
'DAQmxSetAnlgEdgeStartTrigSrc',
'DAQmx_Val_20MHzTimebaseClock',
'DAQmxResetBufInputBufSize',
'DAQmxSetCICountEdgesDigFltrTimebaseSrc',
'DAQmxErrorDuplicateDevIDInList',
'DAQmxResetReadOverWrite', 'DAQmxGetTaskComplete',
'DAQmxGetSysGlobalChans',
'DAQmx_CI_Encoder_BInput_DigFltr_TimebaseRate',
'DAQmxResetCICustomScaleName',
'DAQmx_Val_Switch_Topology_2532_2_Wire_16x16_Matrix',
'NULL', 'DAQmxReadDigitalU32',
'DAQmxGetPhysicalChanTEDSVersionLetter',
'DAQmxErrorInvalidJumperedAttr',
'DAQmxGetCIPeriodDigFltrMinPulseWidth',
'DAQmx_Exported_AdvTrig_OutputTerm',
'DAQmxErrorTimeStampOverwritten',
'DAQmxGetDODataXferReqCond', 'DAQmx_Val_SampClk',
'DAQmx_Exported_10MHzRefClk_OutputTerm',
'DAQmxResetDIDataXferReqCond',
'DAQmxErrorMultipleCounterInputTask',
'DAQmxReadCounterScalarF64',
'DAQmxGetAIDataXferCustomThreshold',
'DAQmxResetCITwoEdgeSepSecondDigFltrTimebaseRate',
'DAQmx_Exported_ChangeDetectEvent_Pulse_Polarity',
'DAQmxSetAIMemMapEnable', 'DAQmx_Val_DigEdge',
'DAQmx_Val_Switch_Topology_2530_1_Wire_Octal_16x1_Mux',
'DAQmxResetCOCtrTimebaseMasterTimebaseDiv',
'DAQmxGetCOPulseIdleState',
'DAQmxErrorDACRngLowNotEqualToMinusRefVal',
'DAQmx_AI_Bridge_ShuntCal_GainAdjust',
'DAQmxErrorCIOnboardClockNotSupportedAsInputTerm',
'DAQmxResetCOPulseIdleState',
'DAQmxResetDigPatternStartTrigPattern',
'DAQmxErrorSampClockSourceNotSupportedGivenTimingType',
'DAQmx_Val_RefTrig', 'DAQmxErrorInvalidChannel',
'DAQmxErrorCanExportOnlyOnboardSampClk',
'DAQmxGetAIFreqUnits', 'DAQmxGetPhysicalChanTEDSSerialNum',
'DAQmxGetDigLvlPauseTrigSrc', 'DAQmx_CO_OutputState',
'DAQmxErrorReadNoInputChansInTask',
'DAQmxSetDigLvlPauseTrigDigFltrEnable',
'DAQmxGetExtCalLastDateAndTime', 'DAQmx_Val_Ticks',
'DAQmx_AI_Freq_Units', 'DAQmxGetAODevScalingCoeff',
'DAQmxSetAIStrainGagePoissonRatio', 'DAQmxGetCIPeriodDiv',
'DAQmx_Val_Switch_Topology_2530_1_Wire_8x16_Matrix',
'DAQmxErrorExtMasterTimebaseRateNotSpecified',
'DAQmxErrorPowerupStateNotSupported',
'DAQmxErrorIntegerExpectedInScript',
'DAQmxErrorCantSetPropertyTaskNotRunning',
'DAQmx_CO_Pulse_IdleState', 'DAQmxGetAnlgWinStartTrigTop',
'DAQmxGetAOOutputImpedance']
| [
"DanMan1185@gmail.com"
] | DanMan1185@gmail.com |
9eab3027ead1eeefda4406dede28b0b56b90bce0 | 084e7cab4163cf087a6d3117b06dfebd1b6084b3 | /tools/gen-step-index.py | 28134f2479a65a852330099331161210dc5c993f | [] | no_license | maksverver/PrimaDvonna | 211a0fc833811aa81c8e0a26d9e86c08538746c7 | 548dacfd48e291f0e8594e08afc078a0bb9a4219 | refs/heads/master | 2021-01-19T03:20:37.188993 | 2011-10-16T15:41:03 | 2011-10-16T15:41:03 | 34,075,695 | 5 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,596 | py | #!/usr/bin/env python2
id_rc = ( [ (0, c) for c in range(0, 9) ] +
[ (1, c) for c in range(0, 10) ] +
[ (2, c) for c in range(0, 11) ] +
[ (3, c) for c in range(1, 11) ] +
[ (4, c) for c in range(2, 11) ] )
rc_id = {}
for i, (r,c) in enumerate(id_rc): rc_id[r,c] = i
DR = [ 0, -1, -1, 0, +1, +1 ]
DC = [ +1, 0, -1, -1, 0, +1 ]
steps_index = {}
def get_steps(n, r1, c1):
steps = []
for dr, dc in zip(DR, DC):
r2, c2 = r1 + n*dr, c1 + n*dc
if n > 0 and (r1,c1) in rc_id and (r2,c2) in rc_id:
steps.append(rc_id[r2,c2] - rc_id[r1,c1])
return tuple(steps)
def print_steps_data():
all_steps = list(sorted(set([
get_steps(n, r, c) for (r,c) in id_rc for n in range(50) ])))
size = sum(map(lambda s: len(s) + 1, all_steps))
print 'static const int a[' + str(size) + '] = {'
values = []
pos = 0
for steps in all_steps:
steps_index[steps] = pos
for v in list(steps) + [0]:
if len(values) == 16:
print '\t' + ', '.join(map(lambda v: '%3d'%v, values)) + ','
values = []
values.append(v)
pos += 1
print '\t' + ', '.join(map(lambda v: '%3d'%v, values))
print '};'
assert pos == size
def print_steps_index():
print 'const int *board_steps[50][49] = {'
for n in range(50):
values = []
line = "\t{ "
for i, (r,c) in enumerate(id_rc):
line += "a+%3d"%steps_index[get_steps(n, r, c)]
if i + 1 < len(id_rc):
if (i+1)%10 == 0:
line += ",\n\t "
else:
line += ", "
line += ' }'
if n + 1 < 50:
line += ','
line += ' /* ' + str(n) + ' */'
print line
print '};'
def print_distance():
print 'const char board_distance[49][49] = {'
for f, (r1,c1) in enumerate(id_rc):
values = []
line = "\t{ "
for g, (r2,c2) in enumerate(id_rc):
dx = c2 - c1
dy = r2 - r1
dz = dx - dy
dist = max(max(abs(dx), abs(dy)), abs(dz))
line += "%2d" % dist
if g + 1 < len(id_rc):
if id_rc[g + 1][0] != r2:
line += ",\n\t " + abs(id_rc[g + 1][0] - 2)*" "
else:
line += ", "
line += ' }'
if f + 1 < len(id_rc):
line += ','
line += ' /* ' + str(f) + ' */'
print line
print '};'
def print_neighbours():
code = 'const char board_neighbours[49] = {\n\t '
for f, (r,c) in enumerate(id_rc):
mask = 0
for i, (dr, dc) in enumerate(zip(DR, DC)):
if (r + dr, c + dc) in rc_id: mask |= 1 << i
code += '%2d'%mask
if f + 1 < len(id_rc):
code += ", "
if id_rc[f + 1][0] != r:
code += "\n\t" + abs(id_rc[f + 1][0] - 2)*" "
else:
code += '\n};'
print code
print_steps_data()
print
print_steps_index()
print
print_distance()
print
print_neighbours()
| [
"maksverver@geocities.com"
] | maksverver@geocities.com |
7a2884a3e8359a2f154ff3cb75ee8837fcbad0e3 | 9f40143996137f7880fbf5aec9174f4214d1ed4b | /website/views.py | 4994f13ff777e02a902a6c8275807d524e3141fc | [] | no_license | AnkitKumawat07/website-for-blogger | e9303a1c1f1c1edc2a0a23cdb7ad0f5ece13ae9b | 18e97f4ebbbcf4d696077147621280ea5f9e9a7b | refs/heads/master | 2022-11-21T12:05:25.850815 | 2020-07-17T18:45:44 | 2020-07-17T18:45:44 | 280,494,900 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 626 | py | from django.shortcuts import render, get_object_or_404
from django.views import generic
from .models import blog
def index(request):
queryset = blog.objects.filter(status=1).order_by('-created_on')
context = {'titles': queryset}
return render(request, 'index.html', context)
def about(request):
return render(request, 'about.html')
def contact(request):
return render(request, 'contact.html')
def trash(request):
return render(request, 'trash.html')
def post_detail(request, slug):
post = get_object_or_404(blog, slug=slug)
return render(request, 'post_detail.html', {'check': post})
| [
"ankitkumawat0602@gmail.com"
] | ankitkumawat0602@gmail.com |
331d4674d5ad02780e975206c79ca34721ad2703 | 69b4fe4d4e4034f186c947d711695f51b3f51cbc | /order/models.py | 1c9f664e15ea29523f7f7f72a874afc84e730d77 | [] | no_license | wst07261144/bookstore | a8ec7d1320c599b44ebcb81afc53c00d3af06fa6 | e15e145bbac8fba1e28de0444f93d2c217e9a224 | refs/heads/master | 2022-12-14T12:07:43.412569 | 2019-04-03T16:26:16 | 2019-04-03T16:26:16 | 177,062,470 | 2 | 0 | null | 2022-12-08T01:42:46 | 2019-03-22T03:04:28 | Python | UTF-8 | Python | false | false | 1,988 | py | from django.db import models
from db.base_model import BaseModel
# Create your models here.
class Order(BaseModel):
'''订单信息模型类'''
PAY_METHOD_CHOICES = (
(1, "货到付款"),
(2, "微信支付"),
(3, "支付宝"),
(4, "银联支付")
)
PAY_METHODS_ENUM = {
"CASH": 1,
"WEIXIN": 2,
"ALIPAY": 3,
"UNIONPAY": 4,
}
ORDER_STATUS_CHOICES = (
(1, "待支付"),
(2, "待发货"),
(3, "待收货"),
(4, "待评价"),
(5, "已完成"),
)
order_id = models.CharField(max_length=64, primary_key=True, verbose_name='订单编号')
passport = models.ForeignKey('users.Passport', verbose_name='下单账户', on_delete=None)
addr = models.ForeignKey('users.Address', verbose_name='收货地址', on_delete=None)
total_count = models.IntegerField(default=1, verbose_name='商品总数')
total_price = models.DecimalField(max_digits=10, decimal_places=2, verbose_name='商品总价')
transit_price = models.DecimalField(max_digits=10, decimal_places=2, verbose_name='订单运费')
pay_method = models.SmallIntegerField(choices=PAY_METHOD_CHOICES, default=1, verbose_name='支付方式')
status = models.SmallIntegerField(choices=ORDER_STATUS_CHOICES, default=1, verbose_name='订单状态')
trade_id = models.CharField(max_length=100, unique=True, null=True, blank=True, verbose_name='支付编号')
class Meta:
db_table = 's_order'
class OrderBooks(BaseModel):
'''订单商品模型类'''
order = models.ForeignKey('Order', verbose_name='所属订单', on_delete=None)
books = models.ForeignKey('books.Books', verbose_name='订单商品', on_delete=None)
count = models.IntegerField(default=1, verbose_name='商品数量')
price = models.DecimalField(max_digits=10, decimal_places=2, verbose_name='商品价格')
class Meta:
db_table = 's_order_books' | [
"wst07261144@gmail.com"
] | wst07261144@gmail.com |
4ab2afd9635bec53faf0d58200a76e577d1e1380 | c5981e979e328e3de0e8a62a55e55028b3264024 | /web-scraping/errorcheckinginrequests.py | 35ef8eba614c2aa6cbfbdb93a52dc1ff521544c5 | [] | no_license | AmitAps/learn-python | 0dfa0580017a2b420dd255b19aaaa434c0f2a648 | e2826a1c1f8fd544e86cdcfcde60eb2845faac48 | refs/heads/main | 2023-01-12T01:10:03.905611 | 2020-11-09T07:34:20 | 2020-11-09T07:34:20 | 305,295,493 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 298 | py | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Fri Oct 23 15:34:22 2020
@author: Aps
"""
import requests
res = requests.get('http://inventwithpython.com/page_that_does_not_exist')
try:
res.raise_for_status()
except Exception as exc:
print('There was a problem: {}', (exc)) | [
"amitoct9@gmail.com"
] | amitoct9@gmail.com |
e47dce9c9c5eed815ffa55ca6d0aed20f77b9a8f | 80b2700b6f9940ee672f42124b2cb8a81836426e | /cgi/cgi.cgi | 5d4924622945cb130546139be58763ec78e549d9 | [
"Apache-2.0"
] | permissive | Vayne-Lover/Python | 6c1ac5c0d62ecdf9e3cf68d3e659d49907bb29d4 | 79cfe3d6971a7901d420ba5a7f52bf4c68f6a1c1 | refs/heads/master | 2020-04-12T08:46:13.128989 | 2017-04-21T06:36:40 | 2017-04-21T06:36:40 | 63,305,306 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 335 | cgi | #!/usr/local/bin/python
import cgi
form=cgi.FieldStirage()
name=form.getvalue('name','world')
print '''
<html>
<head>
<title>Page</title>
</head>
<body>
<h1>Hello,%s</h1>
<form action='cgi.cgi'>
Change name<input type='text' name='name' />
<input type='submit'/>
</form>
</body>
</html>
'''%name
| [
"406378362@qq.com"
] | 406378362@qq.com |
23409f69d2a3740621a3e60325ae383ed752d099 | 2266bc298b72ef8a8a46cd960678011e544da6a6 | /Vcatcher/vcatch/pipelines.py | 0fcb2edc2d64d95cff52d9b495d3e76403142f04 | [] | no_license | lsx0304good/sli0304_crawler | 784ec837f020e481b976f1bf58e537d47a8fa920 | ab8a5b9354c340d09ee50abed4b83910db29e03b | refs/heads/master | 2023-06-27T17:17:08.447839 | 2021-07-26T04:04:48 | 2021-07-26T04:04:48 | 387,702,077 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,948 | py | # Define your item pipelines here
#
# Don't forget to add your pipeline to the ITEM_PIPELINES setting
# See: https://docs.scrapy.org/en/latest/topics/item-pipeline.html
# useful for handling different item types with a single interface
import pymysql
from itemadapter import ItemAdapter
from .items import CommentsItem, PostsItem, ComposersItem, CopyrightsItem
class VcatchPipeline:
def open_spider(self, spider):
self.db = pymysql.connect(
user='root',
password='Lisixiang0304!',
database='xpc_2022'
)
self.cur = self.db.cursor()
def process_item(self, item, spider):
if isinstance(item, PostsItem):
sql = f'insert into posts values(' \
f'"{item["pid"]}",' \
f'"{item["title"]}",' \
f'"{item["thumbnail"]}",' \
f'"{item["preview"]}",' \
f'"{item["video"]}",' \
f'"{item["video_format"]}",' \
f'"{item["category"]}",' \
f'"{item["duration"]}",' \
f'"{item["created_at"]}",' \
f'"{item["description"]}",' \
f'"{item["play_counts"]}",' \
f'"{item["like_counts"]}")'
elif isinstance(item, CommentsItem):
sql = f'insert into comments values(' \
f'{item["commentid"]},' \
f'{item["pid"]},' \
f'{item["cid"]},' \
f'"{item["avatar"]}",' \
f'"{item["uname"]}",' \
f'"{item["created_at"]}",' \
f'"{item["content"]}",' \
f'"{item["like_counts"]}",' \
f'"{item["reply"]}")'
elif isinstance(item, ComposersItem):
sql = f'insert into composers values(' \
f'"{item["cid"]}",' \
f'"{item["banner"]}",' \
f'"{item["avatar"]}",' \
f'"{item["verified"]}",' \
f'"{item["name"]}",' \
f'"{item["intro"]}",' \
f'"{item["like_counts"]}",' \
f'"{item["fans_counts"]}",' \
f'"{item["follow_counts"]}",' \
f'"{item["location"]}",' \
f'"{item["career"]}")'
elif isinstance(item, CopyrightsItem):
sql = f'insert into copyrights values(' \
f'"{item["pcid"]}",' \
f'"{item["pid"]}",' \
f'"{item["cid"]}",' \
f'"{item["roles"]}")'
try:
self.cur.execute(sql)
self.db.commit()
except Exception as e:
print("insert failed ...", e)
self.db.rollback()
else:
print("insert successful !")
return item
def close_spider(self, spider):
self.cur.close()
self.db.close()
| [
"sli369@student.monash.edu"
] | sli369@student.monash.edu |
4e1af43587d5fdb2600cc976d39472607dc4bf30 | 32c56293475f49c6dd1b0f1334756b5ad8763da9 | /google-cloud-sdk/lib/third_party/kubernetes/client/models/v1beta2_replica_set_status.py | 0c2f63cef33a6595d25265d9415af4140bce5378 | [
"LicenseRef-scancode-unknown-license-reference",
"Apache-2.0",
"MIT"
] | permissive | bopopescu/socialliteapp | b9041f17f8724ee86f2ecc6e2e45b8ff6a44b494 | 85bb264e273568b5a0408f733b403c56373e2508 | refs/heads/master | 2022-11-20T03:01:47.654498 | 2020-02-01T20:29:43 | 2020-02-01T20:29:43 | 282,403,750 | 0 | 0 | MIT | 2020-07-25T08:31:59 | 2020-07-25T08:31:59 | null | UTF-8 | Python | false | false | 8,428 | py | # coding: utf-8
"""
Kubernetes
No description provided (generated by Swagger Codegen
https://github.com/swagger-api/swagger-codegen)
OpenAPI spec version: v1.14.4
Generated by: https://github.com/swagger-api/swagger-codegen.git
"""
from pprint import pformat
from six import iteritems
import re
class V1beta2ReplicaSetStatus(object):
"""
NOTE: This class is auto generated by the swagger code generator program.
Do not edit the class manually.
"""
"""
Attributes:
swagger_types (dict): The key is attribute name and the value is attribute
type.
attribute_map (dict): The key is attribute name and the value is json key
in definition.
"""
swagger_types = {
'available_replicas': 'int',
'conditions': 'list[V1beta2ReplicaSetCondition]',
'fully_labeled_replicas': 'int',
'observed_generation': 'int',
'ready_replicas': 'int',
'replicas': 'int'
}
attribute_map = {
'available_replicas': 'availableReplicas',
'conditions': 'conditions',
'fully_labeled_replicas': 'fullyLabeledReplicas',
'observed_generation': 'observedGeneration',
'ready_replicas': 'readyReplicas',
'replicas': 'replicas'
}
def __init__(self,
available_replicas=None,
conditions=None,
fully_labeled_replicas=None,
observed_generation=None,
ready_replicas=None,
replicas=None):
"""
V1beta2ReplicaSetStatus - a model defined in Swagger
"""
self._available_replicas = None
self._conditions = None
self._fully_labeled_replicas = None
self._observed_generation = None
self._ready_replicas = None
self._replicas = None
self.discriminator = None
if available_replicas is not None:
self.available_replicas = available_replicas
if conditions is not None:
self.conditions = conditions
if fully_labeled_replicas is not None:
self.fully_labeled_replicas = fully_labeled_replicas
if observed_generation is not None:
self.observed_generation = observed_generation
if ready_replicas is not None:
self.ready_replicas = ready_replicas
self.replicas = replicas
@property
def available_replicas(self):
"""
Gets the available_replicas of this V1beta2ReplicaSetStatus.
The number of available replicas (ready for at least minReadySeconds)
for this replica set.
:return: The available_replicas of this V1beta2ReplicaSetStatus.
:rtype: int
"""
return self._available_replicas
@available_replicas.setter
def available_replicas(self, available_replicas):
"""
Sets the available_replicas of this V1beta2ReplicaSetStatus.
The number of available replicas (ready for at least minReadySeconds)
for this replica set.
:param available_replicas: The available_replicas of this
V1beta2ReplicaSetStatus.
:type: int
"""
self._available_replicas = available_replicas
@property
def conditions(self):
"""
Gets the conditions of this V1beta2ReplicaSetStatus.
Represents the latest available observations of a replica set's current
state.
:return: The conditions of this V1beta2ReplicaSetStatus.
:rtype: list[V1beta2ReplicaSetCondition]
"""
return self._conditions
@conditions.setter
def conditions(self, conditions):
"""
Sets the conditions of this V1beta2ReplicaSetStatus.
Represents the latest available observations of a replica set's current
state.
:param conditions: The conditions of this V1beta2ReplicaSetStatus.
:type: list[V1beta2ReplicaSetCondition]
"""
self._conditions = conditions
@property
def fully_labeled_replicas(self):
"""
Gets the fully_labeled_replicas of this V1beta2ReplicaSetStatus.
The number of pods that have labels matching the labels of the pod
template of the replicaset.
:return: The fully_labeled_replicas of this V1beta2ReplicaSetStatus.
:rtype: int
"""
return self._fully_labeled_replicas
@fully_labeled_replicas.setter
def fully_labeled_replicas(self, fully_labeled_replicas):
"""
Sets the fully_labeled_replicas of this V1beta2ReplicaSetStatus.
The number of pods that have labels matching the labels of the pod
template of the replicaset.
:param fully_labeled_replicas: The fully_labeled_replicas of this
V1beta2ReplicaSetStatus.
:type: int
"""
self._fully_labeled_replicas = fully_labeled_replicas
@property
def observed_generation(self):
"""
Gets the observed_generation of this V1beta2ReplicaSetStatus.
ObservedGeneration reflects the generation of the most recently observed
ReplicaSet.
:return: The observed_generation of this V1beta2ReplicaSetStatus.
:rtype: int
"""
return self._observed_generation
@observed_generation.setter
def observed_generation(self, observed_generation):
"""
Sets the observed_generation of this V1beta2ReplicaSetStatus.
ObservedGeneration reflects the generation of the most recently observed
ReplicaSet.
:param observed_generation: The observed_generation of this
V1beta2ReplicaSetStatus.
:type: int
"""
self._observed_generation = observed_generation
@property
def ready_replicas(self):
"""
Gets the ready_replicas of this V1beta2ReplicaSetStatus.
The number of ready replicas for this replica set.
:return: The ready_replicas of this V1beta2ReplicaSetStatus.
:rtype: int
"""
return self._ready_replicas
@ready_replicas.setter
def ready_replicas(self, ready_replicas):
"""
Sets the ready_replicas of this V1beta2ReplicaSetStatus.
The number of ready replicas for this replica set.
:param ready_replicas: The ready_replicas of this
V1beta2ReplicaSetStatus.
:type: int
"""
self._ready_replicas = ready_replicas
@property
def replicas(self):
"""
Gets the replicas of this V1beta2ReplicaSetStatus.
Replicas is the most recently oberved number of replicas. More info:
https://kubernetes.io/docs/concepts/workloads/controllers/replicationcontroller/#what-is-a-replicationcontroller
:return: The replicas of this V1beta2ReplicaSetStatus.
:rtype: int
"""
return self._replicas
@replicas.setter
def replicas(self, replicas):
"""
Sets the replicas of this V1beta2ReplicaSetStatus.
Replicas is the most recently oberved number of replicas. More info:
https://kubernetes.io/docs/concepts/workloads/controllers/replicationcontroller/#what-is-a-replicationcontroller
:param replicas: The replicas of this V1beta2ReplicaSetStatus.
:type: int
"""
if replicas is None:
raise ValueError('Invalid value for `replicas`, must not be `None`')
self._replicas = replicas
def to_dict(self):
"""
Returns the model properties as a dict
"""
result = {}
for attr, _ in iteritems(self.swagger_types):
value = getattr(self, attr)
if isinstance(value, list):
result[attr] = list(
map(lambda x: x.to_dict() if hasattr(x, 'to_dict') else x, value))
elif hasattr(value, 'to_dict'):
result[attr] = value.to_dict()
elif isinstance(value, dict):
result[attr] = dict(
map(
lambda item: (item[0], item[1].to_dict())
if hasattr(item[1], 'to_dict') else item, value.items()))
else:
result[attr] = value
return result
def to_str(self):
"""
Returns the string representation of the model
"""
return pformat(self.to_dict())
def __repr__(self):
"""
For `print` and `pprint`
"""
return self.to_str()
def __eq__(self, other):
"""
Returns true if both objects are equal
"""
if not isinstance(other, V1beta2ReplicaSetStatus):
return False
return self.__dict__ == other.__dict__
def __ne__(self, other):
"""
Returns true if both objects are not equal
"""
return not self == other
| [
"jonathang132298@gmail.com"
] | jonathang132298@gmail.com |
85aaa2a87b5be705c8e57700c4d00f9b214f5cf9 | ccd33e981350a413aac07b2f0a1f30363d1042ab | /model/parts/utils.py | ceab57caba792b7a364d628fd8a7ea6f3e56b636 | [
"CC0-1.0"
] | permissive | Dabbrivia/hackathon_uniswap_model | b546549d22f98ddd015e3677654d302c112fc497 | 9aa5e060ec71f057eb0ab27e01cc4867cb53fef1 | refs/heads/main | 2023-01-06T19:50:39.315389 | 2020-11-09T12:05:15 | 2020-11-09T12:05:15 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 927 | py | import numpy as np
def updateTotalKwhBalance(params, step, history, current_state, input_):
variable = 'KWH'
value = current_state['KWH'] + input_['trade_kwh']
return (variable, value)
def updateTotalEurBalance(params, step, history, current_state, input_):
variable = 'EUR'
value = current_state['EUR'] + input_['trade_eur']
return (variable, value)
def addKwhLiquidity(params, step, history, current_state, input_):
variable = 'KWH'
value = current_state['KWH'] + input_['liquidity_amount_kwh']
return (variable, value)
def addEurLiquidity(params, step, history, current_state, input_):
variable = 'EUR'
value = current_state['EUR'] + input_['liquidity_amount_eur']
return (variable, value)
def swapKwhEur(params, step, history, current_state, input_):
price = current_state['price']
return None
def shareAccounting(params, step, history, current_state):
pass | [
"svetlana.konstantinovna@gmail.com"
] | svetlana.konstantinovna@gmail.com |
3c37da390ecaf5417aa3b61479521adbddc84391 | 4c74ad102309f39b429286c6ab10ce1b690f37d2 | /core/views.py | 43153adc0a85125bafdc86b07683d0e7b67decac | [] | no_license | danimelchor/websiteDjango | 92cd7289f162034e780be65465eb946a5c6160e9 | ff7bb8be410883e593d3aed5b2dff066539c4460 | refs/heads/master | 2023-02-15T23:15:04.540595 | 2021-01-13T15:20:52 | 2021-01-13T15:20:52 | 313,104,819 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,006 | py | from django.shortcuts import render
def home(request):
context = {
'socials': [{
'icon': 'fas fa-envelope',
'a': 'mailto:dmh672@gmail.com',
'color': '#EA4335'
},{
'icon': 'fab fa-github',
'a': 'https://github.com/danimelchor',
'color': '#333'
},{
'icon': 'fab fa-twitter',
'a': 'https://twitter.com/danii672',
'color': '#1DA1F2'
},{
'icon': 'fab fa-linkedin-in',
'a': 'https://www.linkedin.com/in/dannymelchor/',
'color': '#0077b5'
},{
'icon': 'fab fa-instagram',
'a': 'https://www.instagram.com/dmelchor_/',
'color': 'linear-gradient(45deg, rgba(64,93,230,1) 0%, rgba(253,29,29,1) 50%, rgba(255,220,128,1) 100%)'
}],
'path':'/'
}
return render(request, 'index.html', context)
| [
"dmh672@gmail.com"
] | dmh672@gmail.com |
5fb0bdd5a944c976954246b8fc3dd1134785b1b3 | 59e4586e52f47ffc2bda02e525582164e538d308 | /test.py | 0aa6f90e3ad96afbea7a79a8e56e8241cf4ea809 | [] | no_license | JoshuaSamuelTheCoder/HTTPClient | 3e0c36a2349f4a82207cfaf0d2c87eb2e9d99e22 | 4212966074183f614dad32f7b53d3a8dd04f459b | refs/heads/master | 2020-05-25T19:40:41.267567 | 2019-05-22T05:01:38 | 2019-05-22T05:01:38 | 187,957,844 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 530 | py | import requests
import json
def main():
response = requests.get(
'https://api.github.com/',
#params={'q': 'requests+language:python'},
)
# Inspect some attributes of the `requests` repository
json_response = response.json()
print(json_response['current_user_url'])
#repository = json_response['items'][0]
#print(f'Repository name: {repository["name"]}') # Python 3.6+
#print(f'Repository description: {repository["description"]}') # Python 3.6+
if __name__ == '__main__':
main()
| [
"tweeterfriend@gmail.com"
] | tweeterfriend@gmail.com |
eb84958c605f223e423f6915befb128556c3071e | a00bcf0d36fd3c6b4172cd8e7824cb0eea329419 | /auctions/migrations/0001_initial.py | 58a274c1027d46d7b2a4a11eb28c3e6e4f693b21 | [] | no_license | ShilpThapak/commerce | add2ce75991f40c82d885e3478d4d105385572f7 | 150a96418a795ccf0706dfb0816ffdabc3902487 | refs/heads/main | 2023-04-03T11:21:34.130601 | 2021-04-01T07:38:38 | 2021-04-01T07:38:38 | 345,319,816 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,870 | py | # Generated by Django 3.1.5 on 2021-01-25 04:36
import django.contrib.auth.models
import django.contrib.auth.validators
from django.db import migrations, models
import django.utils.timezone
class Migration(migrations.Migration):
initial = True
dependencies = [
('auth', '0012_alter_user_first_name_max_length'),
]
operations = [
migrations.CreateModel(
name='User',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('password', models.CharField(max_length=128, verbose_name='password')),
('last_login', models.DateTimeField(blank=True, null=True, verbose_name='last login')),
('is_superuser', models.BooleanField(default=False, help_text='Designates that this user has all permissions without explicitly assigning them.', verbose_name='superuser status')),
('username', models.CharField(error_messages={'unique': 'A user with that username already exists.'}, help_text='Required. 150 characters or fewer. Letters, digits and @/./+/-/_ only.', max_length=150, unique=True, validators=[django.contrib.auth.validators.UnicodeUsernameValidator()], verbose_name='username')),
('first_name', models.CharField(blank=True, max_length=150, verbose_name='first name')),
('last_name', models.CharField(blank=True, max_length=150, verbose_name='last name')),
('email', models.EmailField(blank=True, max_length=254, verbose_name='email address')),
('is_staff', models.BooleanField(default=False, help_text='Designates whether the user can log into this admin site.', verbose_name='staff status')),
('is_active', models.BooleanField(default=True, help_text='Designates whether this user should be treated as active. Unselect this instead of deleting accounts.', verbose_name='active')),
('date_joined', models.DateTimeField(default=django.utils.timezone.now, verbose_name='date joined')),
('groups', models.ManyToManyField(blank=True, help_text='The groups this user belongs to. A user will get all permissions granted to each of their groups.', related_name='user_set', related_query_name='user', to='auth.Group', verbose_name='groups')),
('user_permissions', models.ManyToManyField(blank=True, help_text='Specific permissions for this user.', related_name='user_set', related_query_name='user', to='auth.Permission', verbose_name='user permissions')),
],
options={
'verbose_name': 'user',
'verbose_name_plural': 'users',
'abstract': False,
},
managers=[
('objects', django.contrib.auth.models.UserManager()),
],
),
]
| [
"thapak.shilp2395@gmail.com"
] | thapak.shilp2395@gmail.com |
c6a93461951f3907d81c8a462329331bcfdb066f | c1c58c0d62c5fcc3a859bc9e1ada56af8b9c0d4b | /geatestofthree.py | 3225e2c3903a84b7d6dbfd3219cf013b239b8802 | [] | no_license | pratheesh11/programs | 8c057fb4ec222d75f55d0d92a03fd1bf0a763ed3 | a995a2aea175dd784a8df4ad09039d9cb6a87e62 | refs/heads/master | 2020-04-17T11:04:49.143288 | 2019-06-12T15:37:31 | 2019-06-12T15:37:31 | 166,526,136 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 125 | py | n1=input()
n2=input()
n3=input()
if(n1>n2):
elif(n1>n3):
print(n1)
elif(n2>n3):
print(n2)
else:
print(n3)
| [
"noreply@github.com"
] | noreply@github.com |
5824481df89a03fe19d62d9778727625522bba60 | 3a0e827f4ec75cde0d538d35fcbe65c260a6a016 | /tutorial/settings.py | 237ce57810c434c427d7ef1fa96307acc680f866 | [] | no_license | gnzlo789/swampdragon-tutorial | beda95cea0cead873ab5000eeebf276ea5e8c4d0 | 816623a12963b75cc678bbbca7125a91687b30bd | refs/heads/master | 2016-09-06T11:37:19.881309 | 2015-07-14T23:57:41 | 2015-07-14T23:57:41 | 39,106,459 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,933 | py | """
Django settings for tutorial project.
Generated by 'django-admin startproject' using Django 1.8.3.
For more information on this file, see
https://docs.djangoproject.com/en/1.8/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/1.8/ref/settings/
"""
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
import os
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/1.8/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'unsjg7+!+e%am*pk*ax+hr-4y@!*+a7#$u4xbc+9nqu9$$7!_-'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = (
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'swampdragon',
'todo',
)
MIDDLEWARE_CLASSES = (
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.auth.middleware.SessionAuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
'django.middleware.security.SecurityMiddleware',
)
ROOT_URLCONF = 'tutorial.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [os.path.join(BASE_DIR, 'templates')],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'tutorial.wsgi.application'
# Database
# https://docs.djangoproject.com/en/1.8/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Internationalization
# https://docs.djangoproject.com/en/1.8/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.8/howto/static-files/
STATIC_URL = '/static/'
STATICFILES_DIRS = [os.path.join(BASE_DIR, 'static')]
# SwampDragon settings
SWAMP_DRAGON_CONNECTION = ('swampdragon.connections.sockjs_connection.DjangoSubscriberConnection', '/data')
DRAGON_URL = 'http://127.0.0.1:9999/'
| [
"gnzlo789@gmail.com"
] | gnzlo789@gmail.com |
6a73d876aea17be4a376a5907de6235230844d3e | 1a4353a45cafed804c77bc40e843b4ad463c2a0e | /examples/homogenization/linear_homogenization.py | 1682971d9827a59e1fc33d4bc53001c774b6fcc9 | [
"BSD-3-Clause"
] | permissive | shrutig/sfepy | 9b509866d76db5af9df9f20467aa6e4b23600534 | 87523c5a295e5df1dbb4a522b600c1ed9ca47dc7 | refs/heads/master | 2021-01-15T09:28:55.804598 | 2014-01-24T14:28:28 | 2014-01-30T16:25:02 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 5,370 | py | # 04.08.2009
#!
#! Homogenization: Linear Elasticity
#! =================================
#$ \centerline{Example input file, \today}
#! Homogenization of heterogeneous linear elastic material
import sfepy.fem.periodic as per
from sfepy.mechanics.matcoefs import stiffness_from_youngpoisson
from sfepy.homogenization.utils import define_box_regions
import sfepy.homogenization.coefs_base as cb
from sfepy import data_dir
from sfepy.base.base import Struct
from sfepy.homogenization.recovery import compute_micro_u, compute_stress_strain_u, compute_mac_stress_part
def recovery_le( pb, corrs, macro ):
out = {}
dim = corrs['corrs_le']['u_00'].shape[1]
mic_u = - compute_micro_u( corrs['corrs_le'], macro['strain'], 'u', dim )
out['u_mic'] = Struct( name = 'output_data',
mode = 'vertex', data = mic_u,
var_name = 'u', dofs = None )
stress_Y, strain_Y = compute_stress_strain_u( pb, 'i', 'Y', 'mat.D', 'u', mic_u )
stress_Y += compute_mac_stress_part( pb, 'i', 'Y', 'mat.D', 'u', macro['strain'] )
strain = macro['strain'] + strain_Y
out['cauchy_strain'] = Struct( name = 'output_data',
mode = 'cell', data = strain,
dofs = None )
out['cauchy_stress'] = Struct( name = 'output_data',
mode = 'cell', data = stress_Y,
dofs = None )
return out
#! Mesh
#! ----
filename_mesh = data_dir + '/meshes/3d/matrix_fiber.mesh'
dim = 3
region_lbn = (0, 0, 0)
region_rtf = (1, 1, 1)
#! Regions
#! -------
#! Regions, edges, ...
regions = {
'Y' : 'all',
'Ym' : 'cells of group 1',
'Yc' : 'cells of group 2',
}
regions.update( define_box_regions( dim, region_lbn, region_rtf ) )
#! Materials
#! ---------
materials = {
'mat' : ({'D' : {'Ym': stiffness_from_youngpoisson(dim, 7.0e9, 0.4),
'Yc': stiffness_from_youngpoisson(dim, 70.0e9, 0.2)}},),
}
#! Fields
#! ------
#! Scalar field for corrector basis functions.
fields = {
'corrector' : ('real', dim, 'Y', 1),
}
#! Variables
#! ---------
#! Unknown and corresponding test variables. Parameter fields
#! used for evaluation of homogenized coefficients.
variables = {
'u' : ('unknown field', 'corrector', 0),
'v' : ('test field', 'corrector', 'u'),
'Pi' : ('parameter field', 'corrector', 'u'),
'Pi1' : ('parameter field', 'corrector', '(set-to-None)'),
'Pi2' : ('parameter field', 'corrector', '(set-to-None)'),
}
#! Functions
functions = {
'match_x_plane' : (per.match_x_plane,),
'match_y_plane' : (per.match_y_plane,),
'match_z_plane' : (per.match_z_plane,),
}
#! Boundary Conditions
#! -------------------
#! Fixed nodes.
ebcs = {
'fixed_u' : ('Corners', {'u.all' : 0.0}),
}
if dim == 3:
epbcs = {
'periodic_x' : (['Left', 'Right'], {'u.all' : 'u.all'}, 'match_x_plane'),
'periodic_y' : (['Near', 'Far'], {'u.all' : 'u.all'}, 'match_y_plane'),
'periodic_z' : (['Top', 'Bottom'], {'u.all' : 'u.all'}, 'match_z_plane'),
}
else:
epbcs = {
'periodic_x' : (['Left', 'Right'], {'u.all' : 'u.all'}, 'match_x_plane'),
'periodic_y' : (['Bottom', 'Top'], {'u.all' : 'u.all'}, 'match_y_plane'),
}
all_periodic = ['periodic_%s' % ii for ii in ['x', 'y', 'z'][:dim] ]
#! Integrals
#! ---------
#! Define the integral type Volume/Surface and quadrature rule.
integrals = {
'i' : 2,
}
#! Options
#! -------
#! Various problem-specific options.
options = {
'coefs' : 'coefs',
'requirements' : 'requirements',
'ls' : 'ls', # linear solver to use
'volume' : { 'variables' : ['u'],
'expression' : 'd_volume.i.Y( u )' },
'output_dir' : 'output',
'coefs_filename' : 'coefs_le',
'recovery_hook' : 'recovery_le',
}
#! Equations
#! ---------
#! Equations for corrector functions.
equation_corrs = {
'balance_of_forces' :
"""dw_lin_elastic.i.Y(mat.D, v, u ) =
- dw_lin_elastic.i.Y(mat.D, v, Pi )"""
}
#! Expressions for homogenized linear elastic coefficients.
expr_coefs = """dw_lin_elastic.i.Y(mat.D, Pi1, Pi2 )"""
#! Coefficients
#! ------------
#! Definition of homogenized acoustic coefficients.
def set_elastic(variables, ir, ic, mode, pis, corrs_rs):
mode2var = {'row' : 'Pi1', 'col' : 'Pi2'}
val = pis.states[ir, ic]['u'] + corrs_rs.states[ir, ic]['u']
variables[mode2var[mode]].set_data(val)
coefs = {
'D' : {
'requires' : ['pis', 'corrs_rs'],
'expression' : expr_coefs,
'set_variables' : set_elastic,
'class' : cb.CoefSymSym,
},
'filenames' : {},
}
requirements = {
'pis' : {
'variables' : ['u'],
'class' : cb.ShapeDimDim,
},
'corrs_rs' : {
'requires' : ['pis'],
'ebcs' : ['fixed_u'],
'epbcs' : all_periodic,
'equations' : equation_corrs,
'set_variables' : [('Pi', 'pis', 'u')],
'class' : cb.CorrDimDim,
'save_name' : 'corrs_le',
'dump_variables' : ['u'],
},
}
#! Solvers
#! -------
#! Define linear and nonlinear solver.
solvers = {
'ls' : ('ls.umfpack', {}),
'newton' : ('nls.newton', {'i_max' : 1,
'eps_a' : 1e-4,
'problem' : 'nonlinear',
})
}
| [
"cimrman3@ntc.zcu.cz"
] | cimrman3@ntc.zcu.cz |
adff51915ecba0866f7d6f9eb38208dc7bdd7f9b | cd89ba5b5a0960c3a483b8b89cb6aa91ff60edda | /Module 4/6_filter.py | dc7865ecdb70a3a9e877e387f9c5c701b71abb68 | [] | no_license | SMHari/Python-problems | 698de5b36a0280deab47a2999bde379c678bad15 | 27cb113846e25aea263c1ed52519d1b42065e8c4 | refs/heads/master | 2022-10-12T12:46:01.054463 | 2020-06-13T11:31:22 | 2020-06-13T11:31:22 | 271,994,510 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 213 | py | import numpy as np
if __name__ == '__main__':
arr = [[0, 1, 2], [3, 4, 5], [6, 7, 8], [9, 10, 11]]
arr_np = np.array(arr)
print(arr_np)
print("elements greater than 5 are : ", arr_np[arr_np > 5])
| [
"s.hariharancs@gmail.com"
] | s.hariharancs@gmail.com |
e05664ff87e83f760833b263ea27a3411e4d24e3 | ca446c7e21cd1fb47a787a534fe308203196ef0d | /followthemoney/types/number.py | 4072e01a3017fa934f2ce8208185ed2b55969689 | [
"MIT"
] | permissive | critocrito/followthemoney | 1a37c277408af504a5c799714e53e0f0bd709f68 | bcad19aedc3b193862018a3013a66869e115edff | refs/heads/master | 2020-06-12T09:56:13.867937 | 2019-06-28T08:23:54 | 2019-06-28T08:23:54 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 222 | py | from followthemoney.types.common import PropertyType
from followthemoney.util import defer as _
class NumberType(PropertyType):
name = 'number'
label = _('Number')
plural = _('Numbers')
matchable = False
| [
"friedrich@pudo.org"
] | friedrich@pudo.org |
eb48bad6b577280cf083ae19b804c3ce6acda2ca | f690a2d93dcb0d6cecff8cffea59fbf154929615 | /fishbone/d3jqm/urls.py | b47cee4b4ac59385ff0c2475768f255b48a1f0a4 | [
"ISC"
] | permissive | panamantis/fishbone | 0e24b0ee3ec97fd9987abbfc6fdf2ce9d4bffc9d | 904431f56128b0064df87f7b89047a0039f67730 | refs/heads/master | 2021-01-19T07:23:35.721509 | 2014-03-02T20:51:00 | 2014-03-02T20:51:00 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 342 | py | from django.conf.urls.defaults import patterns, url,include
from django.views.generic.base import TemplateView
urlpatterns = patterns('d3jqm',
(r'index', 'views.main_index'),
(r'sorter', 'views.main_sorter'),
(r'system', 'views.main_system'),
(r'movement', 'views.main_movement'),
(r'', 'views.main_sorter'),
)
| [
"jon.clement@panamantis.com"
] | jon.clement@panamantis.com |
253ee91010dc6dfb7dd3441c81ba35babbaaa3ba | c521e5e38f25058414b109d027a194f8befb5930 | /current/python/h10_ana.py | 4de9085b9383752fe4e00a15e832f63bdb5b9a34 | [
"MIT"
] | permissive | tylern4/physics_code | 885cb2dacccab14a7a83f89c50a7bafbabc7c6d1 | 7a181ba31d3e96d8f79f32a8a6075a3f64df31cb | refs/heads/master | 2023-07-23T14:31:38.473980 | 2020-08-17T14:27:57 | 2020-08-17T14:27:57 | 29,481,083 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 525 | py | from matplotlib import pyplot as plt
from build.h10 import h10_data
from build.physics_vectors import LorentzVector
from python.reaction import reaction
from python.histograms import Hist1D, Hist2D
from tqdm import tqdm
import numpy as np
h1d = Hist1D(500, 0.5, 2)
data = h10_data()
data.add("~/Data/e1d/data/h10_r23501*.root")
for e in tqdm(range(0, data.num_entries)):
data.get_entry(e)
event = reaction(data)
event.run()
if event.PROT_EVENT:
h1d.fill(event.W)
plt.step(*h1d.data)
plt.show()
| [
"tylern@canisius.edu"
] | tylern@canisius.edu |
4ae9e4b084955d895adbd4de6efebe5991d69552 | 7b97974e6c19bb43531ede81269ec9ddb0e54b11 | /venv/lib/python3.6/io.py | d33851470b536752df3782e0f788a74b21217aac | [] | no_license | knjiang/GrowF | 582c0cc1d693367965fdd5d27456207af5a6a38b | 2f6d7d5aa918fb92dd4bcfcb4d62e3c16507ff20 | refs/heads/master | 2020-04-01T03:48:10.359195 | 2018-10-14T09:27:31 | 2018-10-14T09:27:31 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 47 | py | /Users/kjiang2000/anaconda3/lib/python3.6/io.py | [
"kjiang2000@587234276.guest.umich.net"
] | kjiang2000@587234276.guest.umich.net |
c0568c935a0b6a5b952ad43e763b9079362ea8a9 | 255ef10344981ae49174a7eb7278997819b441ec | /marketgrab/management/commands/sigma.py | 16904839998299f523d927aa2cb8c6f72308876e | [
"MIT"
] | permissive | colinmcglone/window-time | 2f60b8bc37079876e76969011fc0dcb836b40eb7 | 74ed90440b9bb93fa569534c7557972242569d3a | refs/heads/master | 2021-01-10T13:12:31.778070 | 2016-03-17T15:04:40 | 2016-03-17T15:04:40 | 49,010,233 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,906 | py | from django.core.management.base import BaseCommand, CommandError
from marketgrab.models import Data, MovingAvg, Movements, Sigma
import numpy as np
from datetime import date
from django.db.models import Avg
class Command(BaseCommand):
help = 'Compute and store up to date sigma for movements.'
def add_arguments(self, parser):
parser.add_argument('-t', '--tickers', nargs='+', required=True)
def handle(self, **options):
for t in options['tickers']:
try:
latest_s = Sigma.objects.filter(ticker=t, series='market').latest('date').date
except:
latest_s = date.min
latest_m = Movements.objects.filter(ticker=t, series='market').latest('date').date
if latest_s < latest_m:
move = Movements.objects.filter(ticker=t, series='market')
sigma = np.std(np.array([i.percent for i in move]))
d = move.latest('date').date
s = Sigma(ticker=t, date=d, value=sigma, series='market')
s.save()
movement = move.latest('date')
zscore = (movement.percent - move.aggregate(avg = Avg('percent'))['avg'])/sigma
movement.zvalue = zscore
movement.save()
for s in [3, 5, 50, 200]:
move = Movements.objects.filter(ticker=t, series=s)
sigma = np.std(np.array([i.percent for i in move]))
d = move.latest('date').date
s = Sigma(ticker=t, date=d, value=sigma, series=s)
s.save()
movement = move.latest('date')
zscore = (movement.percent - move.aggregate(avg = Avg('percent'))['avg'])/sigma
movement.zvalue = zscore
movement.save() | [
"me@colinmcglone.ca"
] | me@colinmcglone.ca |
7b96f4da183d09e021d9952a0dcf54bf9f5af32f | c898af4efbfaeba8fa91d86bc97f7f6ee2381564 | /easy/561. Array Partition I/test.py | e9fa5a72142fdad8d3321c524413f6509e273cb4 | [] | no_license | weiweiECNU/leetcode | 5941300131e41614ccc043cc94ba5c03e4342165 | 1c817338f605f84acb9126a002c571dc5e28a4f7 | refs/heads/master | 2020-06-20T18:33:28.157763 | 2019-08-20T07:52:14 | 2019-08-20T07:52:14 | 197,209,417 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 423 | py | # https://leetcode.com/problems/array-partition-i/
# 比较大的数字一定要和比较大的数字在一起才行,否则括号内的小的结果是较小的数字。
# 所以先排序,排序后的结果找每个组中数据的第一个数字即可。
# 时间复杂度是O(NlogN),空间复杂度是O(1).
class Solution:
def arrayPairSum(self, nums: List[int]) -> int:
return sum(sorted(nums)[::2]) | [
"weiweiwill995@gmail.com"
] | weiweiwill995@gmail.com |
7744d84fab4fb3d162c75d855e36b1879af3aa4a | ccfbd31bbcb509947cbf467504cbae8bc15e0fec | /Python/Finished/solar_system_finished.py | e7596db252da88e0cc0d8bb0f30775c3aa88a31d | [] | no_license | etlam262/Astro_I_Solar_System_Project | c1f6c7eafb681f34dc4b599addafba64b478a6a1 | e9eff4f390b37429aa9a9fae7a06bd80871e7a87 | refs/heads/master | 2022-07-21T16:50:46.438887 | 2020-05-20T12:14:35 | 2020-05-20T12:14:35 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 12,111 | py | # import libaries
# basic math capabilities
import numpy as np
import functools as ft
import os
# plot library
import matplotlib.pyplot as plt
"""
Definiere eine Config 'class' um Simulationsparameter zu speichern.
"""
class Config:
def __init__(self, t_max, dt0, dt_output, output_file):
self.t_max = t_max
self.dt0 = dt0
self.dt_output = dt_output
self.output_file = output_file
def init_config(unit_system):
t_max = 100.0 # yrs
dt0 = 0.1 # minimum timestep
dt_output = 0.1 # output interval
output_file = "solar_system.txt"
return Config(t_max, dt0, dt_output, output_file)
def init_output(filename):
if os.path.exists(filename):
os.remove(filename)
"""
Definiere eine 'class' für das Einheitensystem
Damit lässt es sich leichter ändern
"""
class Unitsystem:
# Einheitensystem definieren
def __init__(self, m_unit, l_unit, t_unit):
self.m_unit = m_unit
self.l_unit = l_unit
self.t_unit = t_unit
self.v_unit = l_unit/t_unit
self.G = 6.674e-8 * m_unit * t_unit * t_unit / l_unit / l_unit / l_unit # Gravitationskonstante in Code Einheiten
# Einheitensystem definieren
def init_units():
# Ein paar Einheiten zur Auswahl
M_sun = 1.989e33 # Sun mass in g
M_moon = 7.342e25 # Moon mass in g
M_earth = 5.97219e27 # Earth mass in g
AU = 1.495978707e13 # AU in cm
R_earth = 6371e5 # Earth diameter in cm
d_moon = 384400e5 # distance moon in cm
yr = 3.1556926e7 # year in s
pc = 3.085678e18 # parsec in cm
kpc = 3.085678e21 # kiloparsec in cm
Mpc = 3.085678e24 # megaparsec in cm
# Hier ändern für andere Einheiten!
unit_system = Unitsystem(M_sun, AU, yr)
return unit_system
"""
Definiere eine 'Particle' class die Masse, Position, Geschwindigkeit usw für jeden Planeten beinhaltet.
Wir initiiert mit:
p = Particle(m, x, v, a, dt, t)
"""
class Particle:
# Damit setzt man ein Teilchen auf
def __init__(self, m, x, v, a):
self.m = m # Masse
self.x = x # Position
self.v = v # Geschwindigkeit
self.a = a # Beschleunigung
# gibt den absoluten Wert der Beschleunigung zurück.
def a_abs(self):
return np.sqrt(self.a[0]**2 + self.a[1]**2 + self.a[2]**2)
# gibt x und v als output array zurück
def output(self):
out_str = ""
out_str += "".join(f"{i:0.6e}\t" for i in self.x)
out_str += "".join(f"{i:0.6e}\t" for i in self.v)
return out_str
def write_output(filename, system, t):
# Öffnet die output Datei, oder erstellt sie, falls sie nicht existiert.
with open(filename, "a+") as f:
# Als Erstes schreiben wir die Zeit
out_str = f"{t:0.6e}\t"
# Dann x und v für jedes Teilchen
for p in system:
out_str += p.output()
# neue Zeile
out_str += "\n"
# string in die Datei schreiben
f.write(out_str)
# Setzt das Sonnensystem im richtigen Einheitensystem auf und gibt ein Array der Sonne/Planeten zurück
def init_solar_system(unit_system):
# Sonne
sun = Particle(1.988544e33/unit_system.m_unit,
np.array([ 4.685928291891263e+05/(unit_system.l_unit/1.e5), 9.563194923290641e+05/(unit_system.l_unit/1.e5), -1.533341587127076e+04/(unit_system.l_unit/1.e5)]),
np.array([ -1.278455768585727e-02/(unit_system.v_unit/1.e5), 6.447692564652730e-03/(unit_system.v_unit/1.e5), 3.039394044840682e-04/(unit_system.v_unit/1.e5)]),
np.array([ 0.0, 0.0, 0.0])
)
# Merkur
mercury = Particle(3.302e26/unit_system.m_unit,
np.array( [ -4.713579828527527e+07/(unit_system.l_unit/1.e5),-4.631957178347297e+07/(unit_system.l_unit/1.e5),5.106488259447999e+05/(unit_system.l_unit/1.e5)] ),
np.array( [ 2.440414864241152e+01/(unit_system.v_unit/1.e5),-3.230927714856684e+01/(unit_system.v_unit/1.e5),-4.882735649260043e+00/(unit_system.v_unit/1.e5)] ),
np.array( [ 0.0, 0.0, 0.0] )
)
# Venus
venus = Particle( 4.8685e27/unit_system.m_unit,
np.array( [ 1.087015383199374e+08/(unit_system.l_unit/1.e5), -7.281577953082427e+06/(unit_system.l_unit/1.e5), -6.381857167679189e+06/(unit_system.l_unit/1.e5)] ),
np.array( [ 2.484508425171419e+00/(unit_system.v_unit/1.e5), 3.476687455583895e+01/(unit_system.v_unit/1.e5), 3.213482419270903e-01/(unit_system.v_unit/1.e5)] ),
np.array( [ 0.0, 0.0, 0.0] )
)
# Earth
earth = Particle( 5.97219e27/unit_system.m_unit,
np.array( [ -4.666572753335893e+07/(unit_system.l_unit/1.e5), 1.403043145802726e+08/(unit_system.l_unit/1.e5), 1.493509552154690e+04/(unit_system.l_unit/1.e5)] ),
np.array( [ -2.871599709379560e+01/(unit_system.v_unit/1.e5), -9.658668417740959e+00/(unit_system.v_unit/1.e5), -2.049066619477902e-03/(unit_system.v_unit/1.e5)] ),
np.array( [ 0.0, 0.0, 0.0] )
)
# Mars
mars = Particle( 6.4185e26/unit_system.m_unit,
np.array( [ 7.993300729834399e+07/(unit_system.l_unit/1.e5), -1.951269688004358e+08/(unit_system.l_unit/1.e5), -6.086301544224218e+06/(unit_system.l_unit/1.e5)] ),
np.array( [ 2.337340830878404e+01/(unit_system.v_unit/1.e5), 1.117498287104724e+01/(unit_system.v_unit/1.e5), -3.459891064580085e-01/(unit_system.v_unit/1.e5)] ),
np.array( [ 0.0, 0.0, 0.0] )
)
# jupiter
jupiter = Particle( 1.89813e30/unit_system.m_unit,
np.array( [ -4.442444431519640e+08/(unit_system.l_unit/1.e5), -6.703061523285834e+08/(unit_system.l_unit/1.e5), 1.269185734527490e+07/(unit_system.l_unit/1.e5)] ),
np.array( [ 1.073596630262369e+01/(unit_system.v_unit/1.e5), -6.599122996686262e+00/(unit_system.v_unit/1.e5), -2.139417332332738e-01/(unit_system.v_unit/1.e5)] ),
np.array( [0.0, 0.0, 0.0] )
)
# Saturn
saturn = Particle( 5.68319e29/unit_system.m_unit,
np.array( [ -4.890566777017240e+07/(unit_system.l_unit/1.e5), -1.503979857988314e+09/(unit_system.l_unit/1.e5), 2.843053033246052e+07/(unit_system.l_unit/1.e5)] ),
np.array( [ 9.121308225757311e+00/(unit_system.v_unit/1.e5), -3.524504589006163e-01/(unit_system.v_unit/1.e5), -3.554364061038437e-01/(unit_system.v_unit/1.e5)] ),
np.array( [0.0, 0.0, 0.0] )
)
# Uranus
uranus = Particle( 8.68103e28/unit_system.m_unit,
np.array( [ -9.649665981767261e+08/(unit_system.l_unit/1.e5), -2.671478218630915e+09/(unit_system.l_unit/1.e5), 2.586047227024674e+06/(unit_system.l_unit/1.e5)] ),
np.array( [ 6.352626804478141e+00/(unit_system.v_unit/1.e5), -2.630553214528946e+00/(unit_system.v_unit/1.e5), -9.234330561966453e-02/(unit_system.v_unit/1.e5)] ),
np.array( [0.0, 0.0, 0.0] )
)
# Neptun
neptune = Particle( 1.0241e27/unit_system.m_unit,
np.array( [ 2.238011384258528e+08/(unit_system.l_unit/1.e5), 4.462979506400823e+09/(unit_system.l_unit/1.e5), -9.704945189848828e+07/(unit_system.l_unit/1.e5)] ),
np.array( [ -5.460590042066011e+00/(unit_system.v_unit/1.e5), 3.078261976854122e-01/(unit_system.v_unit/1.e5), 1.198212503409012e-01/(unit_system.v_unit/1.e5)] ),
np.array( [0.0, 0.0, 0.0] )
)
# Neptun
pluto = Particle( 1.307e25/unit_system.m_unit,
np.array( [ 1.538634961725572e+09/(unit_system.l_unit/1.e5), 6.754880920368265e+09/(unit_system.l_unit/1.e5), -1.168322135333601e+09/(unit_system.l_unit/1.e5)] ),
np.array( [ -3.748709222608039e+00/(unit_system.v_unit/1.e5), 3.840130094300949e-01/(unit_system.v_unit/1.e5), 1.063222714737127e+00/(unit_system.v_unit/1.e5)] ),
np.array( [0.0, 0.0, 0.0] ))
# Gibt das Sonnensystem als array der Planeten zurück
return [ sun, mercury, venus, earth, mars, jupiter, saturn, uranus, neptune, pluto ]
"""
Hier wird die zusätzliche Sonne definiert.
Ihr müsst auf das Einheitensystem achten!
"""
def init_perturber(unit_system):
m = 0.0
x = np.array( [ 15.0, 0.0, 15.0 ] ) # in AU
v = np.array( [ 0.0, 0.0, -50.0/(unit_system.v_unit/1.e5) ] ) # in km/s -> code-units
# Das muss 0 bleiben
a = np.array( [ 0.0, 0.0, 0.0 ] )
return [Particle( m, x, v, a )]
"""
Funktionen für die zeitliche Entwicklung.
Wir benutzen einen 'KDK-Leapfrog Integrator':
https://de.wikipedia.org/wiki/Leapfrog-Verfahren
"""
# Leapfrog kick für Geschwindigeit update
def kick(system, dt):
# loop über alle Sonnen/Planeten im System
for planet in system:
planet.v += planet.a * dt
return system
# Leapfrog drift für Position update
def drift(system, dt):
# loop über alle Sonnen/Planeten im System
for planet in system:
planet.x += planet.v * dt
return system
"""
Gravitationsbeschleunigung berechnen
"""
def grav_acc(system, G):
# loop über alle Teilchen im System
for i in range(0, len(system)):
# Beschleunigung von Teilchen i auf 0 setzen
system[i].a = np.zeros(3)
# Teilchen i hat Gravitationswechselwirkung mit
# allen anderen Teilchen j
for j in range(0, len(system)):
# wir wollen keine Selbswechselwirkung!
if (i != j):
# Abstand zwischen Teilchen i und j
dist_vec = system[i].x - system[j].x
# Wurzel aus dem absoluten Abstand
r = np.sqrt( dist_vec[0]**2 + dist_vec[1]**2 + dist_vec[2]**2 )
# Grav. Beschleunigung update
system[i].a += -G * system[j].m / ( r*r*r ) * dist_vec
return system
# Wir brauchen den größten Wert der absoluten Beschleunigung um den richtigen Zeitschritt zu finden
def find_a_max(system):
return max( [ p.a_abs() for p in system ] )
def run():
# Setup
unit_system = init_units()
conf = init_config(unit_system)
solar_system = init_solar_system(unit_system)
perturber = init_perturber(unit_system)
system = solar_system + perturber
# löscht die vorherige output Datei mit dem gleichen Namen
init_output(conf.output_file)
# erste Berechnung der Grav. Beschleunigung
system = grav_acc(system, unit_system.G)
# Anfangszeit definieren
t = 0.0
next_output_time = 0.0
# Läuft so lang bis die maximale Zeit erreicht ist
while ( t < conf.t_max ):
# Wir müssen nicht an jedem Zeitschritt einen Output schreiben
# sondern nur in den definierten Intervallen
if ( t >= next_output_time ):
# gibt einen Ouput der aktuellen Zeit
print(f"t = {t:0.2f}")
# schreibt den aktuellen Status in das Output File
write_output(conf.output_file, system, t)
# update für die nächste Output Zeit
next_output_time += conf.dt_output
# maximalen Wert der Grav. Beschl. finden für adaptiven Zeitschritt
a_max = find_a_max(system)
# Zeitschritt update
dt = conf.dt0 / a_max
# System zeitlich entwickeln
system = kick(system, 0.5*dt)
system = drift(system, dt)
system = grav_acc(system, unit_system.G)
system = kick(system, 0.5*dt)
# Zeit update
t += dt
if __name__ == "__main__":
print("Starting Simulation")
run()
print("Done!")
| [
"lboess@usm.lmu.de"
] | lboess@usm.lmu.de |
2f9777a6f543b6d70bb8bb2dce3067f44bb4d15b | 8b0f7b01b4bf6af9a39bd8a297e3c8c7cea8ef91 | /30_inheritance.py | f58cafa76f29be2499abc6343d8abd848c1369ca | [] | no_license | vineshpersaud/hacker_rank_30_day | 4be4abee94dc2bc76402892aa022046ddb4c63ec | 61500f3f20c8d7390283df6b62ec58949fd89920 | refs/heads/master | 2021-02-07T08:34:58.357292 | 2020-03-17T15:27:52 | 2020-03-17T15:27:52 | 244,003,732 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,267 | py | class Person:
def __init__(self, firstName, lastName, idNumber):
self.firstName = firstName
self.lastName = lastName
self.idNumber = idNumber
def printPerson(self):
print("Name:", self.lastName + ",", self.firstName)
print("ID:", self.idNumber)
class Student(Person):
# Class Constructor
#
# Parameters:
# firstName - A string denoting the Person's first name.
# lastName - A string denoting the Person's last name.
# id - An integer denoting the Person's ID number.
# scores - An array of integers denoting the Person's test scores.
#
# Write your constructor here
def __init__(self, firstName, lastName, idNumber,scores):
super().__init__(firstName, lastName, idNumber)
self.scores = scores
# Function Name: calculate
# Return: A character denoting the grade.
#
# Write your function here
def calculate(self):
ave = sum(self.scores) / len(self.scores)
if ave >= 90 :
return 'O'
elif ave >= 80:
return 'E'
elif ave >= 70:
return 'A'
elif ave >= 55:
return 'P'
elif ave >= 40 :
return 'D'
else:
return 'T'
line = input().split()
| [
"vineshpersaud@gmail.com"
] | vineshpersaud@gmail.com |
c4247ad95e64b49b9d5c1a823c4dbd34adc9041a | 8cd722e44627cf4d7ad180044b4a49ba71ec33b4 | /shop/urls.py | da9e13d38928ed5521abffe03c7ac105bf132030 | [] | no_license | Muntasir00/Basic_ecommerce_website | ae1e0ac909ef5ef20737ebc91f2ee98f4d24c9a9 | e42f7a5ebde6ad89f74d688aed7916d81dead409 | refs/heads/main | 2023-06-02T18:08:50.769668 | 2021-06-15T21:11:53 | 2021-06-15T21:11:53 | 373,946,522 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 317 | py | from django.urls import path
from . import views
app_name = 'shop'
urlpatterns = [
path('',views.product_list, name='product_list'),
path('<slug:category_slug>/', views.product_list, name='product_list_by_category'),
path('<int:id>/<slug:slug>/', views.product_detail,name='product_detail'),
]
| [
"muntasir690000@gmail.com"
] | muntasir690000@gmail.com |
5554901defcf910a7eb1e706f39e14f5d12a7f72 | 5dccb539427d6bd98b4b4eab38b524dc930229c7 | /monai/apps/pathology/transforms/post/array.py | 5289dc101cbcd35a1374ebbfa721ba2ba02f1d52 | [
"Apache-2.0"
] | permissive | Warvito/MONAI | 794aca516e6b3ed365ee912164743a3696735cf3 | 8eceabf281ab31ea4bda0ab8a6d2c8da06027e82 | refs/heads/dev | 2023-04-27T19:07:56.041733 | 2023-03-27T09:23:53 | 2023-03-27T09:23:53 | 512,893,750 | 0 | 0 | Apache-2.0 | 2022-08-05T16:51:05 | 2022-07-11T20:04:47 | null | UTF-8 | Python | false | false | 36,850 | py | # Copyright (c) MONAI Consortium
# 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.
from __future__ import annotations
import warnings
from typing import Callable, Sequence
import numpy as np
import torch
from monai.config.type_definitions import DtypeLike, NdarrayOrTensor
from monai.transforms import (
Activations,
AsDiscrete,
BoundingRect,
FillHoles,
GaussianSmooth,
RemoveSmallObjects,
SobelGradients,
)
from monai.transforms.transform import Transform
from monai.transforms.utils_pytorch_numpy_unification import max, maximum, min, sum, unique
from monai.utils import TransformBackends, convert_to_numpy, optional_import
from monai.utils.misc import ensure_tuple_rep
from monai.utils.type_conversion import convert_to_dst_type
label, _ = optional_import("scipy.ndimage.measurements", name="label")
disk, _ = optional_import("skimage.morphology", name="disk")
opening, _ = optional_import("skimage.morphology", name="opening")
watershed, _ = optional_import("skimage.segmentation", name="watershed")
find_contours, _ = optional_import("skimage.measure", name="find_contours")
centroid, _ = optional_import("skimage.measure", name="centroid")
__all__ = [
"Watershed",
"GenerateWatershedMask",
"GenerateInstanceBorder",
"GenerateDistanceMap",
"GenerateWatershedMarkers",
"GenerateSuccinctContour",
"GenerateInstanceContour",
"GenerateInstanceCentroid",
"GenerateInstanceType",
"HoVerNetInstanceMapPostProcessing",
"HoVerNetNuclearTypePostProcessing",
]
class Watershed(Transform):
"""
Use `skimage.segmentation.watershed` to get instance segmentation results from images.
See: https://scikit-image.org/docs/stable/api/skimage.segmentation.html#skimage.segmentation.watershed.
Args:
connectivity: an array with the same number of dimensions as image whose non-zero elements indicate
neighbors for connection. Following the scipy convention, default is a one-connected array of
the dimension of the image.
dtype: target data content type to convert, default is np.int64.
"""
backend = [TransformBackends.NUMPY]
def __init__(self, connectivity: int | None = 1, dtype: DtypeLike = np.int64) -> None:
self.connectivity = connectivity
self.dtype = dtype
def __call__(
self, image: NdarrayOrTensor, mask: NdarrayOrTensor | None = None, markers: NdarrayOrTensor | None = None
) -> NdarrayOrTensor:
"""
Args:
image: image where the lowest value points are labeled first. Shape must be [1, H, W, [D]].
mask: optional, the same shape as image. Only points at which mask == True will be labeled.
If None (no mask given), it is a volume of all 1s.
markers: optional, the same shape as image. The desired number of markers, or an array marking
the basins with the values to be assigned in the label matrix. Zero means not a marker.
If None (no markers given), the local minima of the image are used as markers.
"""
image = convert_to_numpy(image)
markers = convert_to_numpy(markers)
mask = convert_to_numpy(mask)
instance_seg = watershed(image, markers=markers, mask=mask, connectivity=self.connectivity)
return convert_to_dst_type(instance_seg, image, dtype=self.dtype)[0]
class GenerateWatershedMask(Transform):
"""
generate mask used in `watershed`. Only points at which mask == True will be labeled.
Args:
activation: the activation layer to be applied on the input probability map.
It can be "softmax" or "sigmoid" string, or any callable. Defaults to "softmax".
threshold: an optional float value to threshold to binarize probability map.
If not provided, defaults to 0.5 when activation is not "softmax", otherwise None.
min_object_size: objects smaller than this size (in pixel) are removed. Defaults to 10.
dtype: target data content type to convert, default is np.uint8.
"""
backend = [TransformBackends.NUMPY]
def __init__(
self,
activation: str | Callable = "softmax",
threshold: float | None = None,
min_object_size: int = 10,
dtype: DtypeLike = np.uint8,
) -> None:
self.dtype = dtype
# set activation layer
use_softmax = False
use_sigmoid = False
activation_fn = None
if isinstance(activation, str):
if activation.lower() == "softmax":
use_softmax = True
elif activation.lower() == "sigmoid":
use_sigmoid = True
else:
raise ValueError(
f"The activation should be 'softmax' or 'sigmoid' string, or any callable. '{activation}' was given."
)
elif callable(activation):
activation_fn = activation
else:
raise ValueError(f"The activation type should be either str or callable. '{type(activation)}' was given.")
self.activation = Activations(softmax=use_softmax, sigmoid=use_sigmoid, other=activation_fn)
# set discretization transform
if not use_softmax and threshold is None:
threshold = 0.5
self.as_discrete = AsDiscrete(threshold=threshold, argmax=use_softmax)
# set small object removal transform
self.remove_small_objects = RemoveSmallObjects(min_size=min_object_size) if min_object_size > 0 else None
def __call__(self, prob_map: NdarrayOrTensor) -> NdarrayOrTensor:
"""
Args:
prob_map: probability map of segmentation, shape must be [C, H, W, [D]]
"""
pred = self.activation(prob_map)
pred = self.as_discrete(pred)
pred = convert_to_numpy(pred)
pred = label(pred)[0]
if self.remove_small_objects is not None:
pred = self.remove_small_objects(pred)
pred[pred > 0] = 1 # type: ignore
return convert_to_dst_type(pred, prob_map, dtype=self.dtype)[0]
class GenerateInstanceBorder(Transform):
"""
Generate instance border by hover map. The more parts of the image that cannot be identified as foreground areas,
the larger the grey scale value. The grey value of the instance's border will be larger.
Args:
kernel_size: the size of the Sobel kernel. Defaults to 5.
dtype: target data type to convert to. Defaults to np.float32.
Raises:
ValueError: when the `mask` shape is not [1, H, W].
ValueError: when the `hover_map` shape is not [2, H, W].
"""
backend = [TransformBackends.NUMPY]
def __init__(self, kernel_size: int = 5, dtype: DtypeLike = np.float32) -> None:
self.dtype = dtype
self.sobel_gradient = SobelGradients(kernel_size=kernel_size)
def __call__(self, mask: NdarrayOrTensor, hover_map: NdarrayOrTensor) -> NdarrayOrTensor: # type: ignore
"""
Args:
mask: binary segmentation map, the output of :py:class:`GenerateWatershedMask`.
Shape must be [1, H, W] or [H, W].
hover_map: horizontal and vertical distances of nuclear pixels to their centres of mass. Shape must be [2, H, W].
The first and second channel represent the horizontal and vertical maps respectively. For more details refer
to papers: https://arxiv.org/abs/1812.06499.
"""
if len(hover_map.shape) != 3:
raise ValueError(f"The hover map should have the shape of [C, H, W], but got {hover_map.shape}.")
if len(mask.shape) == 3:
if mask.shape[0] != 1:
raise ValueError(f"The mask should have only one channel, but got {mask.shape[0]}.")
elif len(mask.shape) == 2:
mask = mask[None]
else:
raise ValueError(f"The mask should have the shape of [1, H, W] or [H, W], but got {mask.shape}.")
if hover_map.shape[0] != 2:
raise ValueError(f"Suppose the hover map only has two channels, but got {hover_map.shape[0]}")
hover_h = hover_map[0:1, ...]
hover_v = hover_map[1:2, ...]
hover_h_min, hover_h_max = min(hover_h), max(hover_h)
hover_v_min, hover_v_max = min(hover_v), max(hover_v)
if (hover_h_max - hover_h_min) == 0 or (hover_v_max - hover_v_min) == 0:
raise ValueError("Not a valid hover map, please check your input")
hover_h = (hover_h - hover_h_min) / (hover_h_max - hover_h_min)
hover_v = (hover_v - hover_v_min) / (hover_v_max - hover_v_min)
sobelh = self.sobel_gradient(hover_h)[1, ...]
sobelv = self.sobel_gradient(hover_v)[0, ...]
sobelh_min, sobelh_max = min(sobelh), max(sobelh)
sobelv_min, sobelv_max = min(sobelv), max(sobelv)
if (sobelh_max - sobelh_min) == 0 or (sobelv_max - sobelv_min) == 0:
raise ValueError("Not a valid sobel gradient map")
sobelh = 1 - (sobelh - sobelh_min) / (sobelh_max - sobelh_min)
sobelv = 1 - (sobelv - sobelv_min) / (sobelv_max - sobelv_min)
# combine the h & v values using max
overall = maximum(sobelh, sobelv)
overall = overall - (1 - mask)
overall[overall < 0] = 0
return convert_to_dst_type(overall, mask, dtype=self.dtype)[0]
class GenerateDistanceMap(Transform):
"""
Generate distance map.
In general, the instance map is calculated from the distance to the background.
Here, we use 1 - "instance border map" to generate the distance map.
Nuclei values form mountains so invert them to get basins.
Args:
smooth_fn: smoothing function for distance map, which can be any callable object.
If not provided :py:class:`monai.transforms.GaussianSmooth()` is used.
dtype: target data type to convert to. Defaults to np.float32.
"""
backend = [TransformBackends.NUMPY]
def __init__(self, smooth_fn: Callable | None = None, dtype: DtypeLike = np.float32) -> None:
self.smooth_fn = smooth_fn if smooth_fn is not None else GaussianSmooth()
self.dtype = dtype
def __call__(self, mask: NdarrayOrTensor, instance_border: NdarrayOrTensor) -> NdarrayOrTensor: # type: ignore
"""
Args:
mask: binary segmentation map, the output of :py:class:`GenerateWatershedMask`.
Shape must be [1, H, W] or [H, W].
instance_border: instance border map, the output of :py:class:`GenerateInstanceBorder`.
Shape must be [1, H, W].
"""
if len(mask.shape) == 3:
if mask.shape[0] != 1:
raise ValueError(f"The mask should have only one channel, but got {mask.shape[0]}.")
elif len(mask.shape) == 2:
mask = mask[None]
else:
raise ValueError(f"The mask should have the shape of [1, H, W] or [H, W], but got {mask.shape}.")
if instance_border.shape[0] != 1 or instance_border.ndim != 3:
raise ValueError(f"Input instance_border should be with size of [1, H, W], but got {instance_border.shape}")
distance_map = (1.0 - instance_border) * mask
distance_map = self.smooth_fn(distance_map) # type: ignore
return convert_to_dst_type(-distance_map, mask, dtype=self.dtype)[0]
class GenerateWatershedMarkers(Transform):
"""
Generate markers to be used in `watershed`. The watershed algorithm treats pixels values as a local topography
(elevation). The algorithm floods basins from the markers until basins attributed to different markers meet on
watershed lines. Generally, markers are chosen as local minima of the image, from which basins are flooded.
Here is the implementation from HoVerNet paper.
For more details refer to papers: https://arxiv.org/abs/1812.06499.
Args:
threshold: a float value to threshold to binarize instance border map.
It turns uncertain area to 1 and other area to 0. Defaults to 0.4.
radius: the radius of the disk-shaped footprint used in `opening`. Defaults to 2.
min_object_size: objects smaller than this size (in pixel) are removed. Defaults to 10.
postprocess_fn: additional post-process function on the markers.
If not provided, :py:class:`monai.transforms.post.FillHoles()` will be used.
dtype: target data type to convert to. Defaults to np.int64.
"""
backend = [TransformBackends.NUMPY]
def __init__(
self,
threshold: float = 0.4,
radius: int = 2,
min_object_size: int = 10,
postprocess_fn: Callable | None = None,
dtype: DtypeLike = np.int64,
) -> None:
self.threshold = threshold
self.radius = radius
self.dtype = dtype
if postprocess_fn is None:
postprocess_fn = FillHoles()
self.postprocess_fn = postprocess_fn
self.remove_small_objects = RemoveSmallObjects(min_size=min_object_size) if min_object_size > 0 else None
def __call__(self, mask: NdarrayOrTensor, instance_border: NdarrayOrTensor) -> NdarrayOrTensor: # type: ignore
"""
Args:
mask: binary segmentation map, the output of :py:class:`GenerateWatershedMask`.
Shape must be [1, H, W] or [H, W].
instance_border: instance border map, the output of :py:class:`GenerateInstanceBorder`.
Shape must be [1, H, W].
"""
if len(mask.shape) == 3:
if mask.shape[0] != 1:
raise ValueError(f"The mask should have only one channel, but got {mask.shape[0]}.")
elif len(mask.shape) == 2:
mask = mask[None]
else:
raise ValueError(f"The mask should have the shape of [1, H, W] or [H, W], but got {mask.shape}.")
if instance_border.shape[0] != 1 or instance_border.ndim != 3:
raise ValueError(f"Input instance_border should be with size of [1, H, W], but got {instance_border.shape}")
instance_border = instance_border >= self.threshold # uncertain area
marker = mask - convert_to_dst_type(instance_border, mask)[0] # certain foreground
marker[marker < 0] = 0 # type: ignore
marker = self.postprocess_fn(marker)
marker = convert_to_numpy(marker)
marker = opening(marker.squeeze(), disk(self.radius))
marker = label(marker)[0][None]
if self.remove_small_objects is not None:
marker = self.remove_small_objects(marker)
return convert_to_dst_type(marker, mask, dtype=self.dtype)[0]
class GenerateSuccinctContour(Transform):
"""
Converts SciPy-style contours (generated by skimage.measure.find_contours) to a more succinct version which only includes
the pixels to which lines need to be drawn (i.e. not the intervening pixels along each line).
Args:
height: height of bounding box, used to detect direction of line segment.
width: width of bounding box, used to detect direction of line segment.
Returns:
the pixels that need to be joined by straight lines to describe the outmost pixels of the foreground similar to
OpenCV's cv.CHAIN_APPROX_SIMPLE (counterclockwise)
"""
def __init__(self, height: int, width: int) -> None:
self.height = height
self.width = width
def _generate_contour_coord(self, current: np.ndarray, previous: np.ndarray) -> tuple[int, int]:
"""
Generate contour coordinates. Given the previous and current coordinates of border positions,
returns the int pixel that marks the extremity of the segmented pixels.
Args:
current: coordinates of the current border position.
previous: coordinates of the previous border position.
"""
p_delta = (current[0] - previous[0], current[1] - previous[1])
if p_delta in ((0.0, 1.0), (0.5, 0.5), (1.0, 0.0)):
row = int(current[0] + 0.5)
col = int(current[1])
elif p_delta in ((0.0, -1.0), (0.5, -0.5)):
row = int(current[0])
col = int(current[1])
elif p_delta in ((-1, 0.0), (-0.5, -0.5)):
row = int(current[0])
col = int(current[1] + 0.5)
elif p_delta == (-0.5, 0.5):
row = int(current[0] + 0.5)
col = int(current[1] + 0.5)
return row, col
def _calculate_distance_from_top_left(self, sequence: Sequence[tuple[int, int]]) -> int:
"""
Each sequence of coordinates describes a boundary between foreground and background starting and ending at two sides
of the bounding box. To order the sequences correctly, we compute the distance from the top-left of the bounding box
around the perimeter in a clockwise direction.
Args:
sequence: list of border points coordinates.
Returns:
the distance round the perimeter of the bounding box from the top-left origin
"""
distance: int
first_coord = sequence[0]
if first_coord[0] == 0:
distance = first_coord[1]
elif first_coord[1] == self.width - 1:
distance = self.width + first_coord[0]
elif first_coord[0] == self.height - 1:
distance = 2 * self.width + self.height - first_coord[1]
else:
distance = 2 * (self.width + self.height) - first_coord[0]
return distance
def __call__(self, contours: list[np.ndarray]) -> np.ndarray:
"""
Args:
contours: list of (n, 2)-ndarrays, scipy-style clockwise line segments, with lines separating foreground/background.
Each contour is an ndarray of shape (n, 2), consisting of n (row, column) coordinates along the contour.
"""
pixels: list[tuple[int, int]] = []
sequences = []
corners = [False, False, False, False]
for group in contours:
sequence: list[tuple[int, int]] = []
last_added = None
prev = None
corner = -1
for i, coord in enumerate(group):
if i == 0:
# originating from the top, so must be heading south east
if coord[0] == 0.0:
corner = 1
pixel = (0, int(coord[1] - 0.5))
if pixel[1] == self.width - 1:
corners[1] = True
elif pixel[1] == 0.0:
corners[0] = True
# originating from the left, so must be heading north east
elif coord[1] == 0.0:
corner = 0
pixel = (int(coord[0] + 0.5), 0)
# originating from the bottom, so must be heading north west
elif coord[0] == self.height - 1:
corner = 3
pixel = (int(coord[0]), int(coord[1] + 0.5))
if pixel[1] == self.width - 1:
corners[2] = True
# originating from the right, so must be heading south west
elif coord[1] == self.width - 1:
corner = 2
pixel = (int(coord[0] - 0.5), int(coord[1]))
else:
warnings.warn(f"Invalid contour coord {coord} is generated, skip this instance.")
return None # type: ignore
sequence.append(pixel)
last_added = pixel
elif i == len(group) - 1:
# add this point
pixel = self._generate_contour_coord(coord, prev) # type: ignore
if pixel != last_added:
sequence.append(pixel)
last_added = pixel
elif np.any(coord - prev != group[i + 1] - coord):
pixel = self._generate_contour_coord(coord, prev) # type: ignore
if pixel != last_added:
sequence.append(pixel)
last_added = pixel
# flag whether each corner has been crossed
if i == len(group) - 1:
if corner == 0:
if coord[0] == 0:
corners[corner] = True
elif corner == 1:
if coord[1] == self.width - 1:
corners[corner] = True
elif corner == 2:
if coord[0] == self.height - 1:
corners[corner] = True
elif corner == 3:
if coord[1] == 0.0:
corners[corner] = True
prev = coord
dist = self._calculate_distance_from_top_left(sequence)
sequences.append({"distance": dist, "sequence": sequence})
# check whether we need to insert any missing corners
if corners[0] is False:
sequences.append({"distance": 0, "sequence": [(0, 0)]})
if corners[1] is False:
sequences.append({"distance": self.width, "sequence": [(0, self.width - 1)]})
if corners[2] is False:
sequences.append({"distance": self.width + self.height, "sequence": [(self.height - 1, self.width - 1)]})
if corners[3] is False:
sequences.append({"distance": 2 * self.width + self.height, "sequence": [(self.height - 1, 0)]})
# join the sequences into a single contour
# starting at top left and rotating clockwise
sequences.sort(key=lambda x: x.get("distance")) # type: ignore
last = (-1, -1)
for _sequence in sequences:
if _sequence["sequence"][0] == last: # type: ignore
pixels.pop()
if pixels:
pixels = [*pixels, *_sequence["sequence"]] # type: ignore
else:
pixels = _sequence["sequence"] # type: ignore
last = pixels[-1]
if pixels[0] == last:
pixels.pop(0)
if pixels[0] == (0, 0):
pixels.append(pixels.pop(0))
return np.flip(convert_to_numpy(pixels, dtype=np.int32)) # type: ignore
class GenerateInstanceContour(Transform):
"""
Generate contour for each instance in a 2D array. Use `GenerateSuccinctContour` to only include
the pixels to which lines need to be drawn
Args:
min_num_points: assumed that the created contour does not form a contour if it does not contain more points
than the specified value. Defaults to 3.
contour_level: an optional value for `skimage.measure.find_contours` to find contours in the array.
If not provided, the level is set to `(max(image) + min(image)) / 2`.
"""
backend = [TransformBackends.NUMPY]
def __init__(self, min_num_points: int = 3, contour_level: float | None = None) -> None:
self.contour_level = contour_level
self.min_num_points = min_num_points
def __call__(self, inst_mask: NdarrayOrTensor, offset: Sequence[int] | None = (0, 0)) -> np.ndarray | None:
"""
Args:
inst_mask: segmentation mask for a single instance. Shape should be [1, H, W, [D]]
offset: optional offset of starting position of the instance mask in the original array. Default to 0 for each dim.
"""
inst_mask = inst_mask.squeeze() # squeeze channel dim
inst_mask = convert_to_numpy(inst_mask)
inst_contour_cv = find_contours(inst_mask, level=self.contour_level)
generate_contour = GenerateSuccinctContour(inst_mask.shape[0], inst_mask.shape[1])
inst_contour = generate_contour(inst_contour_cv)
if inst_contour is None:
return None
# less than `self.min_num_points` points don't make a contour, so skip.
# They are likely to be artifacts as the contours obtained via approximation.
if inst_contour.shape[0] < self.min_num_points:
print(f"< {self.min_num_points} points don't make a contour, so skipped!")
return None
# check for tricky shape
elif len(inst_contour.shape) != 2:
print(f"{len(inst_contour.shape)} != 2, check for tricky shapes!")
return None
else:
inst_contour[:, 0] += offset[0] # type: ignore
inst_contour[:, 1] += offset[1] # type: ignore
return inst_contour
class GenerateInstanceCentroid(Transform):
"""
Generate instance centroid using `skimage.measure.centroid`.
Args:
dtype: the data type of output centroid.
"""
backend = [TransformBackends.NUMPY]
def __init__(self, dtype: DtypeLike | None = int) -> None:
self.dtype = dtype
def __call__(self, inst_mask: NdarrayOrTensor, offset: Sequence[int] | int = 0) -> NdarrayOrTensor:
"""
Args:
inst_mask: segmentation mask for a single instance. Shape should be [1, H, W, [D]]
offset: optional offset of starting position of the instance mask in the original array. Default to 0 for each dim.
"""
inst_mask = convert_to_numpy(inst_mask)
inst_mask = inst_mask.squeeze(0) # squeeze channel dim
ndim = len(inst_mask.shape)
offset = ensure_tuple_rep(offset, ndim)
inst_centroid = centroid(inst_mask)
for i in range(ndim):
inst_centroid[i] += offset[i]
return convert_to_dst_type(inst_centroid, inst_mask, dtype=self.dtype)[0]
class GenerateInstanceType(Transform):
"""
Generate instance type and probability for each instance.
"""
backend = [TransformBackends.NUMPY]
def __call__( # type: ignore
self, type_pred: NdarrayOrTensor, seg_pred: NdarrayOrTensor, bbox: np.ndarray, instance_id: int
) -> tuple[int, float]:
"""
Args:
type_pred: pixel-level type prediction map after activation function.
seg_pred: pixel-level segmentation prediction map after activation function.
bbox: bounding box coordinates of the instance, shape is [channel, 2 * spatial dims].
instance_id: get instance type from specified instance id.
"""
rmin, rmax, cmin, cmax = bbox.flatten()
seg_map_crop = seg_pred[0, rmin:rmax, cmin:cmax]
type_map_crop = type_pred[0, rmin:rmax, cmin:cmax]
seg_map_crop = convert_to_dst_type(seg_map_crop == instance_id, type_map_crop, dtype=bool)[0]
inst_type = type_map_crop[seg_map_crop] # type: ignore
type_list, type_pixels = unique(inst_type, return_counts=True)
type_list = list(zip(type_list, type_pixels))
type_list = sorted(type_list, key=lambda x: x[1], reverse=True) # type: ignore
inst_type = type_list[0][0]
if inst_type == 0: # ! pick the 2nd most dominant if exist
if len(type_list) > 1:
inst_type = type_list[1][0]
type_dict = {v[0]: v[1] for v in type_list}
type_prob = type_dict[inst_type] / (sum(seg_map_crop) + 1.0e-6)
return (int(inst_type), float(type_prob))
class HoVerNetInstanceMapPostProcessing(Transform):
"""
The post-processing transform for HoVerNet model to generate instance segmentation map.
It generates an instance segmentation map as well as a dictionary containing centroids, bounding boxes, and contours
for each instance.
Args:
activation: the activation layer to be applied on the input probability map.
It can be "softmax" or "sigmoid" string, or any callable. Defaults to "softmax".
mask_threshold: a float value to threshold to binarize probability map to generate mask.
min_object_size: objects smaller than this size (in pixel) are removed. Defaults to 10.
sobel_kernel_size: the size of the Sobel kernel used in :py:class:`GenerateInstanceBorder`. Defaults to 5.
distance_smooth_fn: smoothing function for distance map.
If not provided, :py:class:`monai.transforms.intensity.GaussianSmooth()` will be used.
marker_threshold: a float value to threshold to binarize instance border map for markers.
It turns uncertain area to 1 and other area to 0. Defaults to 0.4.
marker_radius: the radius of the disk-shaped footprint used in `opening` of markers. Defaults to 2.
marker_postprocess_fn: post-process function for watershed markers.
If not provided, :py:class:`monai.transforms.post.FillHoles()` will be used.
watershed_connectivity: `connectivity` argument of `skimage.segmentation.watershed`.
min_num_points: minimum number of points to be considered as a contour. Defaults to 3.
contour_level: an optional value for `skimage.measure.find_contours` to find contours in the array.
If not provided, the level is set to `(max(image) + min(image)) / 2`.
"""
def __init__(
self,
activation: str | Callable = "softmax",
mask_threshold: float | None = None,
min_object_size: int = 10,
sobel_kernel_size: int = 5,
distance_smooth_fn: Callable | None = None,
marker_threshold: float = 0.4,
marker_radius: int = 2,
marker_postprocess_fn: Callable | None = None,
watershed_connectivity: int | None = 1,
min_num_points: int = 3,
contour_level: float | None = None,
) -> None:
super().__init__()
self.generate_watershed_mask = GenerateWatershedMask(
activation=activation, threshold=mask_threshold, min_object_size=min_object_size
)
self.generate_instance_border = GenerateInstanceBorder(kernel_size=sobel_kernel_size)
self.generate_distance_map = GenerateDistanceMap(smooth_fn=distance_smooth_fn)
self.generate_watershed_markers = GenerateWatershedMarkers(
threshold=marker_threshold,
radius=marker_radius,
postprocess_fn=marker_postprocess_fn,
min_object_size=min_object_size,
)
self.watershed = Watershed(connectivity=watershed_connectivity)
self.generate_instance_contour = GenerateInstanceContour(
min_num_points=min_num_points, contour_level=contour_level
)
self.generate_instance_centroid = GenerateInstanceCentroid()
def __call__( # type: ignore
self, nuclear_prediction: NdarrayOrTensor, hover_map: NdarrayOrTensor
) -> tuple[dict, NdarrayOrTensor]:
"""post-process instance segmentation branches (NP and HV) to generate instance segmentation map.
Args:
nuclear_prediction: the output of NP (nuclear prediction) branch of HoVerNet model
hover_map: the output of HV (hover map) branch of HoVerNet model
"""
# Process NP and HV branch using watershed algorithm
watershed_mask = self.generate_watershed_mask(nuclear_prediction)
instance_borders = self.generate_instance_border(watershed_mask, hover_map)
distance_map = self.generate_distance_map(watershed_mask, instance_borders)
watershed_markers = self.generate_watershed_markers(watershed_mask, instance_borders)
instance_map = self.watershed(distance_map, watershed_mask, watershed_markers)
# Create bounding boxes, contours and centroids
instance_ids = set(np.unique(instance_map)) - {0} # exclude background
instance_info = {}
for inst_id in instance_ids:
instance_mask = instance_map == inst_id
instance_bbox = BoundingRect()(instance_mask)
instance_mask = instance_mask[
:, instance_bbox[0][0] : instance_bbox[0][1], instance_bbox[0][2] : instance_bbox[0][3]
]
offset = [instance_bbox[0][2], instance_bbox[0][0]]
instance_contour = self.generate_instance_contour(FillHoles()(instance_mask), offset)
if instance_contour is not None:
instance_centroid = self.generate_instance_centroid(instance_mask, offset)
instance_info[inst_id] = {
"bounding_box": instance_bbox,
"centroid": instance_centroid,
"contour": instance_contour,
}
return instance_info, instance_map
class HoVerNetNuclearTypePostProcessing(Transform):
"""
The post-processing transform for HoVerNet model to generate nuclear type information.
It updates the input instance info dictionary with information about types of the nuclei (value and probability).
Also if requested (`return_type_map=True`), it generates a pixel-level type map.
Args:
activation: the activation layer to be applied on nuclear type branch. It can be "softmax" or "sigmoid" string,
or any callable. Defaults to "softmax".
threshold: an optional float value to threshold to binarize probability map.
If not provided, defaults to 0.5 when activation is not "softmax", otherwise None.
return_type_map: whether to calculate and return pixel-level type map.
"""
def __init__(
self, activation: str | Callable = "softmax", threshold: float | None = None, return_type_map: bool = True
) -> None:
super().__init__()
self.return_type_map = return_type_map
self.generate_instance_type = GenerateInstanceType()
# set activation layer
use_softmax = False
use_sigmoid = False
activation_fn = None
if isinstance(activation, str):
if activation.lower() == "softmax":
use_softmax = True
elif activation.lower() == "sigmoid":
use_sigmoid = True
else:
raise ValueError(
f"The activation should be 'softmax' or 'sigmoid' string, or any callable. '{activation}' was given."
)
elif callable(activation):
activation_fn = activation
else:
raise ValueError(f"The activation type should be either str or callable. '{type(activation)}' was given.")
self.activation = Activations(softmax=use_softmax, sigmoid=use_sigmoid, other=activation_fn)
# set discretization transform
if not use_softmax and threshold is None:
threshold = 0.5
self.as_discrete = AsDiscrete(threshold=threshold, argmax=use_softmax)
def __call__( # type: ignore
self, type_prediction: NdarrayOrTensor, instance_info: dict[int, dict], instance_map: NdarrayOrTensor
) -> tuple[dict, NdarrayOrTensor | None]:
"""Process NC (type prediction) branch and combine it with instance segmentation
It updates the instance_info with instance type and associated probability, and generate instance type map.
Args:
instance_info: instance information dictionary, the output of :py:class:`HoVerNetInstanceMapPostProcessing`
instance_map: instance segmentation map, the output of :py:class:`HoVerNetInstanceMapPostProcessing`
type_prediction: the output of NC (type prediction) branch of HoVerNet model
"""
type_prediction = self.activation(type_prediction)
type_prediction = self.as_discrete(type_prediction)
type_map = None
if self.return_type_map:
type_map = convert_to_dst_type(torch.zeros(instance_map.shape), instance_map)[0]
for inst_id in instance_info:
instance_type, instance_type_prob = self.generate_instance_type(
type_pred=type_prediction,
seg_pred=instance_map,
bbox=instance_info[inst_id]["bounding_box"],
instance_id=inst_id,
)
# update instance info dict with type data
instance_info[inst_id]["type_prob"] = instance_type_prob
instance_info[inst_id]["type"] = instance_type
# update instance type map
if type_map is not None:
type_map[instance_map == inst_id] = instance_type
return instance_info, type_map
| [
"noreply@github.com"
] | noreply@github.com |
8b84e3cf086a65839457eec304edb7ea3cd8f55c | 7fbda7ec849047ef3af3d34b10ecfd9c0e75aa50 | /protectedblob/tests/test_blob.py | 9356f8a8db53332c196bd8b49571bc6438af79b9 | [
"MIT"
] | permissive | lukhnos/protectedblob-py | 856b3cd30320e7d19841c24d148a6642918cb908 | 40c85ccf4fc25f739087fad37fc8ba4ec4d26eda | refs/heads/master | 2022-03-14T03:12:15.571664 | 2022-02-20T02:36:50 | 2022-02-20T02:36:50 | 35,086,896 | 1 | 1 | null | null | null | null | UTF-8 | Python | false | false | 1,264 | py | import unittest
from protectedblob.blob import PassphraseProtectedBlob
from protectedblob.cipher_suites import AES256CBCSHA256
from protectedblob.key_derivation import PBKDF2SHA256AES256
class TestPassphraseProtectedBlob(unittest.TestCase):
def test_roundtrip(self):
plaintext = b'hello, world!'
passphrase = 'foobar'
blob = PassphraseProtectedBlob(
cipher_suite=AES256CBCSHA256,
kdf=PBKDF2SHA256AES256)
blob.populate_with_plaintext(passphrase, plaintext, rounds=1000)
decrypted_text = blob.get_plaintext(passphrase)
self.assertEqual(decrypted_text, plaintext)
def test_change_passphrase(self):
plaintext = b'hello, world!'
passphrase = 'foobar'
blob = PassphraseProtectedBlob(
cipher_suite=AES256CBCSHA256,
kdf=PBKDF2SHA256AES256)
blob.populate_with_plaintext(passphrase, plaintext, rounds=1000)
decrypted_text = blob.get_plaintext(passphrase)
self.assertEqual(decrypted_text, plaintext)
new_passphrase = 'barfoo'
blob.change_passphrase(passphrase, new_passphrase)
new_decrypted_text = blob.get_plaintext(new_passphrase)
self.assertEqual(new_decrypted_text, decrypted_text)
| [
"lukhnos@lukhnos.org"
] | lukhnos@lukhnos.org |
64f91c8c167a08832f353ec7593da2b0ca3afd5a | 733e458f9222411e78cea9e0023c21cb23fd010b | /SimulationStudy/Run_HMM.py | b16571feb1411c7b4342d7aeb61d2514e8574c81 | [] | no_license | xji3/EDN_ECP | 331e39c359b6adb83b2939217e52fdaa152e7cd6 | 137c2a93e641d0ad8041c3cfa257a36cc592747f | refs/heads/master | 2021-01-10T01:21:29.884962 | 2018-01-29T16:52:42 | 2018-01-29T16:52:42 | 45,130,803 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 5,941 | py | from IGCexpansion.IndCodonGeneconv import IndCodonGeneconv
from IGCexpansion.HMMJSGeneconv import HMMJSGeneconv
from IGCexpansion.PSJSGeneconv import PSJSGeneconv
from IGCexpansion.JSGeneconv import JSGeneconv
import argparse, os
import numpy as np
def main(args):
paralog = ['EDN', 'ECP']
geo = args.geo
rate_variation = args.rate_variation
if args.Tau_case == 'Tenth':
case = '/TenthTau/Tract_'
elif args.Tau_case == 'Half':
case = '/HalfTau/Tract_'
elif args.Tau_case == 'One':
case = '/Tract_'
else:
raise Exception('Check Tau_case input!')
model = 'HKY'
for sim_num in range(1, 101):
alignment_file = '.' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num) + '/EDN_ECP_sim_' + str(sim_num) + '.fasta'
newicktree = '../input_tree.newick'
Force = None
seq_index_file = '../' + '_'.join(paralog) +'_seq_index.txt'
save_path = './save' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num)
if not os.path.isdir('./save' + case + '' + str(geo)+'_' + model):
os.mkdir('./save' + case + '' + str(geo)+'_' + model)
if not os.path.isdir('./save' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num)):
os.mkdir('./save' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num))
if rate_variation:
save_name = './save' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num) + '/EDN_ECP_Ind_' + model +'_rv_IGC_sim_' + str(sim_num) + '_save.txt'
else:
save_name = './save' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num) + '/EDN_ECP_Ind_' + model +'_IGC_sim_' + str(sim_num) + '_save.txt'
Ind_IGC = IndCodonGeneconv( newicktree, alignment_file, paralog, Model = model, Force = Force, clock = None, save_name = save_name,
rate_variation = rate_variation)
Ind_IGC.get_mle(True, True, 0, 'BFGS')
###### Now get Ind MG94+IS-IGC+HMM estimates
summary_path = './summary' + case + '' + str(geo) + '_' + model +'/sim_' + str(sim_num) +'/'
if not os.path.isdir('./summary' + case + '' + str(geo)+'_' + model):
os.mkdir('./summary' + case + '' + str(geo)+'_' + model)
if not os.path.isdir(summary_path):
os.mkdir(summary_path)
x = np.concatenate((Ind_IGC.x, [0.0]))
if rate_variation:
save_file = save_path + '/HMMJS_' + '_'.join(paralog) + '_'+model+'_rv_nonclock_sim_' + str(sim_num) + '_save.txt'
IGC_sitewise_lnL_file = summary_path + '_'.join(paralog) + '_'+model+'_rv_nonclock_sim_' + str(sim_num) + '_sw_lnL.txt'
NOIGC_sitewise_lnL_file = summary_path + 'NOIGC_' + '_'.join(paralog) + '_'+model+'_rv_nonclock_sim_' + str(sim_num) + '_sw_lnL.txt'
else:
save_file = save_path + '/HMMJS_' + '_'.join(paralog) + '_'+model+'_nonclock_sim_' + str(sim_num) + '_save.txt'
IGC_sitewise_lnL_file = summary_path + '_'.join(paralog) + '_'+model+'_nonclock_sim_' + str(sim_num) + '_sw_lnL.txt'
NOIGC_sitewise_lnL_file = summary_path + 'NOIGC_' + '_'.join(paralog) + '_'+model+'_nonclock_sim_' + str(sim_num) + '_sw_lnL.txt'
Ind_IGC.get_sitewise_loglikelihood_summary(IGC_sitewise_lnL_file, False)
Ind_IGC.get_sitewise_loglikelihood_summary(NOIGC_sitewise_lnL_file, True)
state_list = ['No IGC event (Si = 0)','At least one IGC event (Si > 0)']
HMM_IGC = HMMJSGeneconv(save_file, newicktree, alignment_file, paralog, summary_path, x, save_path, IGC_sitewise_lnL_file, NOIGC_sitewise_lnL_file,
state_list, seq_index_file, model = model, rate_variation = rate_variation)
if rate_variation:
summary_file_1D = summary_path + 'HMM_' + '_'.join(paralog) + '_' + model + '_rv_nonclock_sim_' + str(sim_num) + '_1D_summary.txt'
plot_file = './plot' + case + '' + str(geo) + '_' + model + '/sim_' + str(sim_num) + '/HMM_' + '_'.join(paralog)+ '_' + model + '_rv_lnL_sim_' + str(sim_num) + '_1D_surface.txt'
else:
summary_file_1D = summary_path + 'HMM_' + '_'.join(paralog) + '_' + model + '_nonclock_sim_' + str(sim_num) + '_1D_summary.txt'
plot_file = './plot' + case + '' + str(geo) + '_' + model + '/sim_' + str(sim_num) + '/HMM_' + '_'.join(paralog)+ '_' + model + '_lnL_sim_' + str(sim_num) + '_1D_surface.txt'
# Plot lnL surface in IS-IGC+HMM model
log_p_list = np.log(3.0/np.array(range(3, 1001)))
if not os.path.isdir('./plot' + case + '' + str(geo) + '_' + model):
os.mkdir('./plot' + case + '' + str(geo) + '_' + model)
if not os.path.isdir('./plot' + case + '' + str(geo) + '_' + model + '/sim_' + str(sim_num)):
os.mkdir('./plot' + case + '' + str(geo) + '_' + model + '/sim_' + str(sim_num))
HMM_IGC.plot_tract_p(log_p_list, plot_file)
# Get MLE and generate summary file
HMM_IGC.get_mle(display = True, two_step = True, One_Dimension = True)
HMM_IGC.get_summary(summary_file_1D)
if __name__ == '__main__':
parser = argparse.ArgumentParser()
parser.add_argument('--geo', required = True, help = 'Mean tract length')
parser.add_argument('--heterogeneity', dest = 'rate_variation', action = 'store_true', help = 'rate heterogeneity control')
parser.add_argument('--homogeneity', dest = 'rate_variation', action = 'store_false', help = 'rate heterogeneity control')
parser.add_argument('--Case', dest = 'Tau_case', default = 'One', help = 'Tau value case')
main(parser.parse_args())
## paralog = ['YDR418W', 'YEL054C']
## #sim_num = args.sim_num
## #geo = args.geo
## #rate_variation = args.rate_variation
## model = 'HKY'
## sim_num = 1
## geo = 3.0
## rate_variation = True
| [
"xji3@ncsu.edu"
] | xji3@ncsu.edu |
095f2a6b6d63c3c793d4c5ac8ecee36561753586 | 61808425fbcc330b1f62fc214ff7e273718b8d27 | /survey/propositionA2.py | 9e353468dca129465404abf03cd34efba800ad5b | [
"MIT"
] | permissive | pbatko/abcvoting | c31d12335dc9a629b2a3f2b7e19ae064005a979f | 55a8e7e23e35a3620921e3f5426a09925e83640e | refs/heads/master | 2022-12-12T19:17:20.132758 | 2020-08-31T20:20:46 | 2020-08-31T20:20:46 | 293,638,983 | 0 | 0 | MIT | 2020-09-07T21:47:55 | 2020-09-07T21:47:54 | null | UTF-8 | Python | false | false | 2,846 | py | """Proposition A.2
from the survey: "Approval-Based Multi-Winner Voting:
Axioms, Algorithms, and Applications"
by Martin Lackner and Piotr Skowron
"""
from __future__ import print_function
import sys
sys.path.insert(0, '..')
from abcvoting import abcrules
from abcvoting.preferences import Profile
from abcvoting import misc
print(misc.header("Proposition A.2", "*"))
num_cand = 3
a, b, c = (0, 1, 2)
apprsets = [[a]] * 2 + [[a, c]] * 3 + [[b, c]] * 3 + [[b]] * 2
names = "abcde"
profile = Profile(num_cand, names=names)
profile.add_preferences(apprsets)
print(misc.header("1st profile:"))
print(profile.str_compact())
print("winning committees for k=1 and k=2:")
for rule_id in ["pav", "cc", "monroe", "optphrag", "mav"]:
comm1 = abcrules.compute(rule_id, profile, 1, resolute=True)[0]
comm2 = abcrules.compute(rule_id, profile, 2, resolute=True)[0]
print(" " + abcrules.rules[rule_id].shortname + ": "
+ misc.str_candset(comm1, names)
+ " vs " + misc.str_candset(comm2, names))
num_cand = 4
a, b, c, d = 0, 1, 2, 3
apprsets = ([[a]] * 6 + [[a, c]] * 4 + [[a, b, c]] * 2 + [[a]] * 2
+ [[a, d]] * 1 + [[b, d]] * 3)
names = "abcde"
profile = Profile(num_cand, names=names)
profile.add_preferences(apprsets)
print()
print(misc.header("2nd profile:"))
print(profile.str_compact())
print("winning committees for k=2 and k=3:")
for rule_id in ["greedy-monroe"]:
comm1 = abcrules.compute(rule_id, profile, 2, resolute=True)[0]
comm2 = abcrules.compute(rule_id, profile, 3, resolute=True)[0]
print(" " + abcrules.rules[rule_id].shortname + ": "
+ misc.str_candset(comm1, names)
+ " vs " + misc.str_candset(comm2, names))
num_cand = 4
a, b, c, d = 0, 1, 2, 3
apprsets = [[a, c]] * 4 + [[a, d]] * 2 + [[b, d]] * 3 + [[b]]
names = "abcde"
profile = Profile(num_cand, names=names)
profile.add_preferences(apprsets)
print()
print(misc.header("3rd profile:"))
print(profile.str_compact())
print("winning committees for k=2 and k=3:")
comm1 = abcrules.compute("rule-x", profile, 2, resolute=True)[0]
comm2 = abcrules.compute("rule-x", profile, 3, resolute=True)[0]
print(" " + abcrules.rules[rule_id].shortname + ": "
+ misc.str_candset(comm1, names)
+ " vs " + misc.str_candset(comm2, names))
print("\n\nDetailed calculations:")
abcrules.compute("rule-x", profile, 2, resolute=True, verbose=2)[0]
abcrules.compute("rule-x", profile, 3, resolute=True, verbose=2)[0]
num_cand = 5
a, b, c, d, e = 0, 1, 2, 3, 4
apprsets = [[a, c]] * 1 + [[a, b]] * 1 + [[d, e]]
names = "abcde"
profile = Profile(num_cand, names=names)
profile.add_preferences(apprsets)
print()
print(misc.header("3rd profile:"))
print(profile.str_compact())
print("winning committees for k=2 and k=3:")
comm1 = abcrules.compute("mav", profile, 1, resolute=False, verbose=2)
print(comm1) | [
"unexpected@sent.at"
] | unexpected@sent.at |
6f8a1791f9c390437deb8d5569daf51f85959c08 | 00bc230a299733675f0a6f83b179fa1cf0d9ef86 | /data-sets/first_order_logic/thesis/safety_liveness_ratio.py | a22605b285b876c919be44b8121eb8dcc9928ed6 | [] | no_license | Mateusz-Grzelinski/sat-research | 256719897e43e5d7e29580e2ee4dcebd6df86524 | 402a0006fba98658c2526f9d5219474834ded7f9 | refs/heads/master | 2021-07-11T18:18:09.138416 | 2021-03-29T21:31:31 | 2021-03-29T21:31:31 | 241,707,185 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,854 | py | import concurrent
import logging
import os
from concurrent.futures.process import ProcessPoolExecutor
from logic_formula_generator.generators.presets.first_order_logic import CNFSafetyLivenessPresetNoSolver
logging.basicConfig(level=logging.DEBUG)
OUT_PATH = '../../_generated'
safety_liveness_path = "_fol-tptp-cnf-k-sat"
literal_negation_chance = 0.5
number_of_formula_instances = 30
variable_names = [f'V{i}' for i in range(50)]
functor_names = [f'f{i}' for i in range(50)]
predicate_names = [f'p{i}' for i in range(50)]
def job(system_property_gen: CNFSafetyLivenessPresetNoSolver, number_of_instances_in_set: int):
for i in range(number_of_instances_in_set):
out_file_path = os.path.join(
OUT_PATH, safety_liveness_path,
f'', f'{i}'
)
logging.info(f'generating formula {i}/{number_of_instances_in_set}: {out_file_path}')
formula = system_property_gen.generate()
formula.save_to_file(path=out_file_path, normal_form='cnf')
formula.save_info_to_file(
path=out_file_path + '.p',
normal_form='cnf',
additional_statistics={
'number_of_variable_names': len(system_property_gen.variable_names),
'number_of_predicate_names': len(system_property_gen.predicate_names),
'number_of_functor_names': len(system_property_gen.functor_names)
}
)
if __name__ == '__main__':
test_number_of_clauses = [100, 200, 300, 400, 500]
test_number_of_literals = [1000]
predicate_arities = [i for i in range(5)]
clause_lengths = [i for i in range(2, 10)]
clause_weights = [1 for i in clause_lengths]
futures = []
pool_executor = ProcessPoolExecutor(max_workers=7)
for number_of_clauses in test_number_of_clauses:
for number_of_literals in test_number_of_literals:
# todo add option to change ratio
gen = CNFSafetyLivenessPresetNoSolver(
variable_names=variable_names,
functor_names=functor_names, functor_arity={0},
functor_recursion_depth=0,
predicate_names=predicate_names, predicate_arities=predicate_arities,
atom_connectives={None},
clause_lengths=clause_lengths,
clause_lengths_weights=clause_weights,
min_number_of_clauses=number_of_clauses,
min_number_of_literals=number_of_literals,
literal_negation_chance=literal_negation_chance,
)
future = pool_executor.submit(job, gen, number_of_formula_instances)
futures.append(future)
concurrent.futures.wait(futures)
errors = [future.exception() for future in futures]
if any(errors):
logging.error([e for e in errors if e])
logging.info('All done')
| [
"grzelinskimat@gmail.com"
] | grzelinskimat@gmail.com |
6fcf0359366a4972e05f4b2495b15005035985e2 | 58199f1a4fccc8d5e550daa2bccfa3eb118669db | /app/__init__.py | 3ccf85fc2e92aaa7b67696a4a9f93b800f27b115 | [] | no_license | theotheruser2/dbcourse | 6051f331d60926d7d32ff3e8a1c821133e23999f | e545f4cd529717059f24ba24d3388fa8176ae371 | refs/heads/main | 2023-03-30T11:56:09.291974 | 2021-04-09T13:49:48 | 2021-04-09T13:49:48 | 354,005,192 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 396 | py | from flask import Flask
from config import Config
from flask_sqlalchemy import SQLAlchemy
from flask_migrate import Migrate
from flask_bootstrap import Bootstrap
app = Flask('dbcourse', template_folder='app/templates', static_folder='app/static')
app.config.from_object(Config)
bootstrap = Bootstrap(app)
db = SQLAlchemy(app)
migrate = Migrate(app, db)
from app import routes, models, errors
| [
"noreply@github.com"
] | noreply@github.com |
cac946a338e0639b51239033d415fafb40e29587 | ac9bd8ada8957f3d3b7bddd92b5d153f879b66b5 | /GUI_PyGt/OverStackflow/from user.py | a3d00eaa87aeb97eb807e342ce1dd8b5dbb7c999 | [] | no_license | kissbill/02__sentdex | cd3bd91ae7c3c099c09829937c9b20e55849a045 | 35ee29805bd48b0f2523b6e52f50bf1b8aa7b699 | refs/heads/master | 2020-04-22T23:07:28.867814 | 2019-02-14T17:43:57 | 2019-02-14T17:43:57 | 170,730,445 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 11,414 | py | import sys ,re
from PyQt4 import QtGui ,QtCore
string = []
regex_words = ''
finding = []
class Window(QtGui.QWidget):
def __init__(self):
QtGui.QWidget.__init__(self)
layout = QtGui.QVBoxLayout(self)
self.setGeometry(0, 400, 1200, 300)
self.setWindowTitle("Hash Tagging")
self.button = QtGui.QPushButton('')
self.textedit = QtGui.QTextEdit()
self.textedit.setReadOnly(True)
layout.addWidget(self.textedit)
layout.addWidget(self.button)
self.button.clicked.connect(self.searching)
btn = QtGui.QPushButton("Search" ,self)
btn.clicked.connect(self.searching)
btn.resize(btn.sizeHint())
btn.resize(btn.minimumSizeHint())
btn.move(700,200)
btn = QtGui.QPushButton("List" ,self)
btn.clicked.connect(self.print_out)
btn.resize(btn.sizeHint())
btn.resize(btn.minimumSizeHint())
btn.move(780,200)
# Projects 2 db
project_y = 10
checkBox = QtGui.QCheckBox('Base +',self)
checkBox.move(700,project_y)
checkBox.stateChanged.connect(self.tick_1)
checkBox = QtGui.QCheckBox('Base -',self)
checkBox.move(760,project_y)
checkBox.stateChanged.connect(self.tick_2)
# Tools
tool_y = 35
checkBox = QtGui.QCheckBox('CANape',self)
checkBox.move(700,tool_y)
checkBox.stateChanged.connect(self.tick_3)
checkBox = QtGui.QCheckBox('CANoe',self)
checkBox.move(765,tool_y)
checkBox.stateChanged.connect(self.tick_4)
checkBox = QtGui.QCheckBox('ECUtest',self)
checkBox.move(820,tool_y)
checkBox.stateChanged.connect(self.tick_5)
checkBox = QtGui.QCheckBox('Trace',self)
checkBox.move(880,tool_y)
checkBox.stateChanged.connect(self.tick_6)
# Infrastructs
infrastuct_y = 60
checkBox = QtGui.QCheckBox('Git',self)
checkBox.move(700,infrastuct_y)
checkBox.stateChanged.connect(self.tick_7)
checkBox = QtGui.QCheckBox('Polarion',self)
checkBox.move(745,infrastuct_y)
checkBox.stateChanged.connect(self.tick_8)
checkBox = QtGui.QCheckBox('Jenkins',self)
checkBox.move(820,infrastuct_y)
checkBox.stateChanged.connect(self.tick_9)
checkBox = QtGui.QCheckBox('MiniHIL',self)
checkBox.move(880,infrastuct_y)
checkBox.stateChanged.connect(self.tick_10)
# Topics
topics_y = 80
checkBox = QtGui.QCheckBox('ModeManager',self)
checkBox.move(700,topics_y)
checkBox.stateChanged.connect(self.tick_11)
checkBox = QtGui.QCheckBox('ActiveDischarge',self)
checkBox.move(790,topics_y)
checkBox.stateChanged.connect(self.tick_12)
# Works
work_y = 105
checkBox = QtGui.QCheckBox('ToDo',self)
checkBox.move(700,work_y)
checkBox.stateChanged.connect(self.tick_13)
checkBox = QtGui.QCheckBox('Automat',self)
checkBox.move(750,work_y)
checkBox.stateChanged.connect(self.tick_14)
checkBox = QtGui.QCheckBox('Defect',self)
checkBox.move(820,work_y)
checkBox.stateChanged.connect(self.tick_15)
checkBox = QtGui.QCheckBox('Meeting',self)
checkBox.move(890,work_y)
checkBox.stateChanged.connect(self.tick_16)
checkBox = QtGui.QCheckBox('Regession',self)
checkBox.move(950,work_y)
checkBox.stateChanged.connect(self.tick_17)
checkBox = QtGui.QCheckBox('Review',self)
checkBox.move(1020,work_y)
checkBox.stateChanged.connect(self.tick_18)
#Miscs
misc_y = 135
checkBox = QtGui.QCheckBox('AddWorkFlow',self)
checkBox.move(700,misc_y)
checkBox.stateChanged.connect(self.tick_19)
checkBox = QtGui.QCheckBox('KnowHow',self)
checkBox.move(790,misc_y)
checkBox.stateChanged.connect(self.tick_20)
checkBox = QtGui.QCheckBox('Directiva',self)
checkBox.move(860,misc_y)
checkBox.stateChanged.connect(self.tick_21)
checkBox = QtGui.QCheckBox('Xlsx',self)
checkBox.move(930,misc_y)
checkBox.stateChanged.connect(self.tick_22)
checkBox = QtGui.QCheckBox('Letter',self)
checkBox.move(975,misc_y)
checkBox.stateChanged.connect(self.tick_23)
checkBox = QtGui.QCheckBox('Link',self)
checkBox.move(1030,misc_y)
checkBox.stateChanged.connect(self.tick_24)
def print_out(self):
finding_ = "".join(str(x) for x in finding)
self.textedit.append(finding_)
self.textedit.append('')
def tick_1(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'BasePlus' +')')
else:
string.remove('(?=.*#'+ 'BasePlus' +')')
def tick_2(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'BaseMinus' +')')
else:
string.remove('(?=.*#'+ 'BaseMinus' +')')
def tick_3(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'CANape' +')')
else:
string.remove('(?=.*#'+ 'CANape' +')')
def tick_4(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'CANoe' +')')
else:
string.remove('(?=.*#'+ 'CANoe' +')')
def tick_5(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'ECUtest' +')')
else:
string.remove('(?=.*#'+ 'ECUtest' +')')
def tick_6(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Trace' +')')
else:
string.remove('(?=.*#'+ 'Trace' +')')
def tick_7(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Polarion' +')')
else:
string.remove('(?=.*#'+ 'Polarion' +')')
def tick_8(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Jenkins' +')')
else:
string.remove('(?=.*#'+ 'Jenkins' +')')
def tick_9(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'MiniHIL' +')')
else:
string.remove('(?=.*#'+ 'MiniHIL' +')')
def tick_10(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'MiniHIL' +')')
else:
string.remove('(?=.*#'+ 'MiniHIL' +')')
def tick_11(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'ModeManager' +')')
else:
string.remove('(?=.*#'+ 'ModeManager' +')')
def tick_12(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'ActiveDischarge' +')')
else:
string.remove('(?=.*#'+ 'ActiveDischarge' +')')
def tick_13(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'ToDo' +')')
else:
string.remove('(?=.*#'+ 'ToDo' +')')
def tick_14(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Automat' +')')
else:
string.remove('(?=.*#'+ 'Automat' +')')
def tick_15(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Defect' +')')
else:
string.remove('(?=.*#'+ 'Defect' +')')
def tick_16(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Meeting' +')')
else:
string.remove('(?=.*#'+ 'Meeting' +')')
def tick_17(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Regession' +')')
else:
string.remove('(?=.*#'+ 'Regession' +')')
def tick_18(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Review' +')')
else:
string.remove('(?=.*#'+ 'Review' +')')
def tick_19(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'AddWorkFlow' +')')
else:
string.remove('(?=.*#'+ 'AddWorkFlow' +')')
def tick_20(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'KnowHow' +')')
else:
string.remove('(?=.*#'+ 'KnowHow' +')')
def tick_21(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Directiva' +')')
else:
string.remove('(?=.*#'+ 'Directiva' +')')
def tick_22(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Xlsx' +')')
else:
string.remove('(?=.*#'+ 'Xlsx' +')')
def tick_23(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Letter' +')')
else:
string.remove('(?=.*#'+ 'Letter' +')')
def tick_24(self, state):
if state == QtCore.Qt.Checked:
string.append('(?=.*#'+ 'Link' +')')
else:
string.remove('(?=.*#'+ 'Link' +')')
def searching(self):
# Init
text = []
sorban_end = []
kulcs_szo_sora = []
regex_words = "".join(str(x) for x in string)
kulcsSzo = r"(?=.*)" + regex_words
#print(kulcsSzo)
ending = '\\+'
pattern_keyword = re.compile( kulcsSzo )
pattern_end = re.compile( ending )
# Loop through text
for i, line in enumerate(open('log_VW_FEB.txt')):
text.append(line)
#Kulcs szo
for match in re.finditer(pattern_keyword, line):
kulcs_szo_sora.append( i + 1 ) #talalt sor lementese
break
# Kereszt lezarasok keresese
for match in re.finditer(pattern_end, line):
sorban_end.append( i + 1 ) #talalt kereszt sor lementese
# Lezaro kereszt elemek tombjenek hossza
#hossz = len(sorban_end)
for hits in kulcs_szo_sora:
print('Eredeti doksiban ezen sor : %s ' % hits)
print()
for lezaro in sorban_end[0:len(sorban_end)]:
if hits < lezaro:
#print(hits)
#print(lezaro)
break
for megVagy in text[hits-1:lezaro-1]:
finding.append( megVagy )
print('----------------------------------oo------------------------------------')
if __name__ == "__main__":
app = QtGui.QApplication(sys.argv)
win = Window()
win.show()
sys.exit(app.exec_())
#Hetfo Kedd Szerda Csutortok Pentek
#BaseMinus BasePlus
#CANape CANoe ECUtest Trace Git Polarion Jenkins MiniHIL
#ToDo Defect Meeting
#Review Regession
#Offset ModeManager ActiveDischarge Automat
#AddWorkFlow KnowHow Directiva
# Xlsx
#Letter Link | [
"milerik@hotmail.com"
] | milerik@hotmail.com |
3645c536f996e1aca5123bb926270dc3791a0150 | ed8bf48cf98c6f6f65bbe6a0b8f27638e765f2dc | /cuckoo/clockBong.py | 43d36c5e4aa55628b49872bf65680802b36d7fe8 | [] | no_license | acrandal/clusterHatHacking | 138eb8ed575522db5106a1c26013e586b5f1ad3f | f51c2991febf4dd0460746a737afeb8884ba7513 | refs/heads/master | 2021-08-26T06:39:33.733723 | 2017-11-21T22:18:39 | 2017-11-21T22:18:39 | 111,275,300 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,277 | py | #!/usr/bin/env python
import time
import subprocess
import datetime
import sys
from subprocess import Popen, PIPE
PAUSETIME = 0.2
DEBUG = False
def bong():
subprocess.check_output(["mpg123", "cuckoo_clock.mp3"], stderr=subprocess.STDOUT)
def tick_clock( force_bong ):
if DEBUG: print(" [x] Current time: " + str(time.asctime()))
hour = datetime.datetime.now().hour
minute = datetime.datetime.now().minute
minute = int(minute)
hour = int(hour) % 12 # don't need a 24 hour clock. :-)
if minute == 30:
if DEBUG: print(" [x] It's half past, so sing once")
bong()
elif minute == 0 or force_bong:
if DEBUG: print(" [x] It's on the hour, so bong the hour")
for i in range(hour):
bong()
time.sleep(PAUSETIME)
else:
if DEBUG: print(" [x] Not time to cuckoo")
if __name__ == "__main__":
force_hour_bong = False
if( len(sys.argv) > 1 ):
for i in range(1,len(sys.argv)):
if( sys.argv[i] == "-f" ):
force_hour_bong = True
if( sys.argv[i] == "-d" or sys.argv[i] == "--debug" ):
DEBUG = True
if DEBUG: print("[x] Starting Clock")
tick_clock( force_hour_bong )
if DEBUG: print("[x] Out of time!")
| [
"acrandal@wsu.edu"
] | acrandal@wsu.edu |
ffe0bcec5d0986af0fc3bc451e462ba760b99b53 | 5ca58cfa1c327d88642d1157dba693b922292e91 | /src/pyflow/__init__.py | f84e1eaca7e813d6c1fac20bbe416c652aabebcb | [
"BSD-3-Clause"
] | permissive | mozjay0619/pyflow-viz | b80482b3614d5abaa40c89cc448034a94e5ce53d | 56ba9acd67d7742ae663800f8b92726cc603d1d8 | refs/heads/master | 2021-12-25T16:24:21.934777 | 2021-09-14T03:05:12 | 2021-09-14T03:05:12 | 248,684,615 | 7 | 0 | BSD-3-Clause | 2021-09-13T23:58:54 | 2020-03-20T06:31:58 | Python | UTF-8 | Python | false | false | 287 | py | __version__ = "0.43"
from .graph_builder import GraphBuilder
from .node import DataHolderNode
from .node import DataNode
from .node import OperationNode
from .graph_document import document
__all__ = [
"GraphBuilder",
"DataHolderNode",
"DataNode",
"OperationNode"
"document"
]
| [
"jkim2@grubhub.com"
] | jkim2@grubhub.com |
2664b71b949a6d72e74e30cc2bc7665c571ac3a2 | 93bacaaf5e406ccc64cfee481fda100a0ade0813 | /disamb/model.py | 1afedc223e2f97c82fe46e60114071af73cc30e5 | [] | no_license | samprintz/type-filtered-entity-linker | de51c73db347c6cc35be9c59e17be733c1248b89 | 047c93246732cb2117a768e720a296158eb3b389 | refs/heads/main | 2023-06-26T21:21:58.092837 | 2021-07-28T16:05:25 | 2021-07-28T16:05:25 | 387,548,036 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 12,485 | py | import logging
import os
os.environ['TF_CPP_MIN_LOG_LEVEL'] = '1' # INFO messages are not printed
import tensorflow as tf
import numpy as np
from tensorflow.keras.layers import Input, Dense, GRU, LSTM, Bidirectional, Activation, Dropout, Concatenate, BatchNormalization
from transformers import DistilBertTokenizer, TFDistilBertForSequenceClassification, DistilBertConfig, TFDistilBertModel
class EDModel:
_max_text_length = 512
_item_pbg_vocab_size = 200
_item_glove_vocab_size = 300 * 3
_text_vector_size = 150
_item_vector_size = 150
_bert_embedding_size = 768
_hidden_layer2_size = 250
_output_size = 1
_distil_bert = 'distilbert-base-uncased'
_memory_dim = 100
_stack_dimension = 2
def __init__(self):
self._logger = logging.getLogger(__name__)
tf.compat.v1.disable_eager_execution()
for gpu in tf.config.experimental.list_physical_devices('GPU'):
tf.config.experimental.set_memory_growth(gpu, True)
tf.compat.v1.reset_default_graph()
# Part I: Question text sequence -> BERT
config = DistilBertConfig(dropout=0.2, attention_dropout=0.2)
config.output_hidden_states = False
transformer_model = TFDistilBertModel.from_pretrained(self._distil_bert, config=config)
input_text_tokenized = Input(shape=(self._max_text_length,), dtype='int32', name='text_tokenized')
input_text_attention_mask = Input(shape=(self._max_text_length,), dtype='int32', name='text_attention_mask')
input_text_mention_mask = Input(shape=(self._max_text_length, self._bert_embedding_size), dtype='float32', name='text_mention_mask')
embedding_layer = transformer_model.distilbert(input_text_tokenized, attention_mask=input_text_attention_mask)[0]
#cls_token = embedding_layer[:,0,:]
sf_token = tf.math.reduce_mean(tf.math.multiply(embedding_layer, input_text_mention_mask), axis=1)
question_outputs = BatchNormalization()(sf_token)
question_outputs = Dense(self._text_vector_size)(question_outputs)
question_outputs = Activation('relu')(question_outputs)
# Part II-A: Entity -> PyTorch Big Graph embedding
input_item_pbg = Input(shape=(self._item_pbg_vocab_size), name='item_pbg')
item_pbg_outputs = Dense(self._item_vector_size)(input_item_pbg)
item_pbg_outputs = Activation('relu')(item_pbg_outputs)
# Part II-B: Entity -> GCN
# TODO copy from other model
# Part II-C: Entity -> GAT
# TODO copy from other model
# Part II-D: Entity graph node (as text) -> Bi-LSTM
fw_lstm = LSTM(self._memory_dim)
bw_lstm = LSTM(self._memory_dim, go_backwards=True)
input_item_glove = Input(shape=(None, self._item_glove_vocab_size), name='item_glove')
item_glove_outputs = Dense(self._item_vector_size)(input_item_glove)
item_glove_outputs = Activation('relu')(item_glove_outputs)
# Part III: Comparator -> MLP
concatenated = Concatenate(axis=1)([question_outputs, item_pbg_outputs])
mlp_outputs = Dense(self._hidden_layer2_size)(concatenated)
mlp_outputs = Activation('relu')(mlp_outputs)
mlp_outputs = Dropout(0.2)(mlp_outputs)
mlp_outputs = Dense(self._output_size)(mlp_outputs) # 2-dim. output
mlp_outputs = Activation('softmax')(mlp_outputs)
# Compile model
optimizer = tf.keras.optimizers.Adam(learning_rate=1e-4)
self._model = tf.keras.models.Model(inputs=[input_text_tokenized, input_text_attention_mask, input_text_mention_mask, input_item_pbg, input_item_glove], outputs=mlp_outputs)
self._model.get_layer('distilbert').trainable = False # make BERT layers untrainable
self._model.compile(optimizer=optimizer, loss="binary_crossentropy", metrics=["accuracy"])
#self._model.summary()
"""
def __generate_data(self, dataset, batch_size):
text_tokenized = data['text_tokenized']
text_attention_masks = data['text_attention_mask']
text_mention_masks = data['text_mention_mask']
item_pbg = data['item_pbg']
item_glove = data['item_glove']
answer = data['answer']
#ner_tags = data['ner_tags']
self._model.fit([text_tokenized, text_attention_masks, text_mention_masks, item_pbg, item_glove],
answer, epochs=epochs, batch_size=batch_size)
dataset.pop('item_vector')
dataset.pop('question_vectors')
# https://stackoverflow.com/questions/46493419/use-a-generator-for-keras-model-fit-generator
i = 0
while True:
# get a batch from the shuffled dataset, preprocess it, and give it to the model
batch = {
'text': [],
'text_tokenized': [],
'text_attention_mask': [],
'item_name': [],
'text_mention_mask': [],
'item_id': [],
'item_pbg': [],
'item_glove': [],
'answer': []
}
# draw a (ordered) batch from the (shuffled) dataset
for b in range(batch_size):
# TODO declare before dataset_length in advance
if i == len(dataset['text_tokenized']): # re-shuffle when processed whole dataset
i = 0
# TODO outsource shuffeling in function
lists = list(zip(
dataset['text'],
dataset['text_tokenized'],
dataset['text_attention_mask'],
dataset['item_name'],
dataset['text_mention_mask'],
dataset['item_id'],
dataset['item_pbg'],
dataset['item_glove'],
dataset['answer']
))
random.shuffle(lists)
dataset['text'], \
dataset['text_tokenized'], \
dataset['text_attention_mask'], \
dataset['item_name'], \
dataset['text_mention_mask'], \
dataset['item_id'], \
dataset['item_pbg'], \
dataset['item_glove'], \
dataset['answer'] \
= zip(*lists)
#TODO rather stop iteration?
# raise StopIteration
# add sample
batch['text'].append(dataset['text'][i])
batch['text_tokenized'].append(dataset['text_tokenized'][i])
batch['text_attention_mask'].append(dataset['text_attention_mask'][i])
batch['item_name'].append(dataset['item_name'][i])
batch['text_mention_mask'].append(dataset['text_mention_mask'][i])
batch['item_id'].append(dataset['item_id'][i])
batch['item_glove'].append(dataset['item_glove'][i])
batch['item_pbg'].append(dataset['item_pbg'][i])
batch['answer'].append(dataset['answer'][i])
i += 1
# preprocess batch (array, pad, tokenize)
X = preprocessor.reshape_dataset
X['item_glove'] = tf.keras.preprocessing.sequence.pad_sequences(
batch['item_glove'], value=self._mask_value, padding='post', dtype='float64')
X['text_mention_mask'] = tf.keras.preprocessing.sequence.pad_sequences(
batch['text_mention_mask'], maxlen=self._max_text_length, value=0.0)
X['question'], X['text_attention_mask'] = self.__tokenize(
batch['text_tokenized'], self._tokenizer, self._max_text_length)
X['item_pbg'] = np.asarray(batch['item_pbg'])
y = np.asarray(batch['answer'])
yield X, y
def train(self, dataset, save_path, epochs=20, batch_size=32):
save_model_callback = tf.keras.callbacks.ModelCheckpoint(filepath=saving_path, save_weights_only=False)
dataset_length = len(dataset['text'])
steps_per_epoch = (dataset_length // batch_size)
history = self._model.fit(
self.__generate_data(dataset, batch_size),
epochs = epochs,
steps_per_epoch=steps_per_epoch,
callbacks=[save_model_callback]
)
return history
"""
def train(self, data, save_path, epochs=20, batch_size=32):
# TODO use generator
text_tokenized = data['text_tokenized']
text_attention_masks = data['text_attention_mask']
text_mention_masks = data['text_mention_mask']
item_pbg = data['item_pbg']
item_glove = data['item_glove']
answer = data['answer']
#ner_tags = data['ner_tags']
self._model.fit([text_tokenized, text_attention_masks, text_mention_masks, item_pbg, item_glove],
answer, epochs=epochs, batch_size=batch_size)
def test(self, data, batch_size=32):
text_tokenized = data['text_tokenized']
text_attention_masks = data['text_attention_mask']
text_mention_masks = data['text_mention_mask']
item_pbg = data['item_pbg']
item_glove = data['item_glove']
answer = data['answer']
#ner_tags = data['ner_tags']
results = self._model.evaluate([text_tokenized, text_attention_masks, text_mention_masks, item_pbg, item_glove],
answer, batch_size=batch_size)
self._logger.info(f'Loss: {results[0]}')
self._logger.info(f'Accuracy: {results[1]}')
def predict(self, data, batch_size=32):
text_tokenized = data['text_tokenized']
text_attention_masks = data['text_attention_mask']
text_mention_masks = data['text_mention_mask']
item_pbg = data['item_pbg']
item_glove = data['item_glove']
# Explanation cf. comment in load()
global sess
global graph
with graph.as_default():
tf.compat.v1.keras.backend.set_session(sess)
# TODO Dependending on the model, results is either a 2-dim. array (load(Cetoli)) or one value (__init__()).
# How to handle this? Change completely to my models and don't use Cetoli's anymore? Have two ELModel() classes, one for the loaded models, one for mine?
results = self._model.predict([text_tokenized, text_attention_masks, text_mention_masks, item_pbg, item_glove],
batch_size=batch_size, verbose=0)
self._logger.debug(f'Prediction: {results}')
score = self.__standardize_result(results[0])
self._logger.debug(f'Score: {score}')
return score
def __standardize_result(self, result):
"""
In Cetoli's models, the first index represents irrelevance (max. [0., 1.]), the second index relevance (max. [1., 0.]).
If the relevance is higher than the irrelevance, return the relevance score (= matching score). Otherwise 0 (not matching).
"""
if result[0] < result[1]:
return result[1] # matching score
return 0. # not matching
def save(self, filepath):
self._logger.info(f'Saving into {filepath}')
self._model.save(filepath)
def load(self, filepath, checkpoint_type):
"""
Load a model from a file. This overwrites the model built in __init__() stored at self._model.
"""
self._logger.info(f'Load model from {filepath}')
# Flask creates a thread for each request. As the model is generated during the first request,
# it is not visible in the next request. Therefore, create a global session that is used throughout
# all following requests.
global sess
global graph
sess = tf.compat.v1.Session()
graph = tf.compat.v1.get_default_graph()
tf.compat.v1.keras.backend.set_session(sess)
if checkpoint_type == 'weights':
# TODO The model from the weights must correspond to the model defined above!
# Currently not given.
self._logger.error(f'Checkpoint type {checkpoint_type} not supported')
model = ELModel()
model._model.load_weights(filepath)
else: # == 'model'
self._model = tf.keras.models.load_model(filepath)
| [
"sam.printz@web.de"
] | sam.printz@web.de |
29667ce7c0a2825f1a031de0d59bb74a2ac62e8d | 10944952c9c09800064cc349a04f0965371d1e8a | /models/bug_stage.py | 83a232fe3611c43b392e8a605240094475b4afd9 | [] | no_license | wangliminsz/bug-ch07 | 667d52cb14eebf45c669da42dd7bc4b2ad0ee6b2 | ad6bd1519791779b85a8b03b49655a47ed422ca7 | refs/heads/master | 2023-01-05T18:27:52.527114 | 2020-11-07T09:30:07 | 2020-11-07T09:30:07 | 310,809,474 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 901 | py | # -*- coding: utf-8 -*-
from odoo import models, fields, api
class bugStage(models.Model):
_name='bm.bug.stage'
_description='bug阶段'
_order='sequence,name'
#字符串相关类型
name=fields.Char('名称')
desc_detail=fields.Text('描述')
status=fields.Selection([('waiting','未开始'),('doing','进行中'),('closed','关闭'),('rework','重测未通过')],'状态')
document=fields.Html('文档')
#数值相关类型
sequence = fields.Integer('Sequence')
percent_pro=fields.Float('进度',(3,2))
#日期类型
deadline=fields.Date('最晚解决日期')
create_on=fields.Datetime('创建时间',default=lambda self:fields.Datetime.now())
#布尔类型
delay=fields.Boolean('是否延误')
#二进制类型
image=fields.Binary('图片')
bug_ids=fields.One2many('bm.bug','stage_id',sting='bug') | [
"wang.limin.sz@gmail.com"
] | wang.limin.sz@gmail.com |
8c1598bd5be1b0c726217a90e79254919f8ad229 | 63a73fc512d171d486dcfcd3f1967c33d7e90cff | /controller.py | 2898919955dd8998ff187f8c888e5f9d322c9260 | [] | no_license | fndiaz/select_dinamico | b8f6c52c7c4058b56ccccc97c40427c9fe110c4d | 0a53877090a217776f56579851c6d592790e2e24 | refs/heads/master | 2021-01-01T05:36:53.164173 | 2014-03-19T20:57:09 | 2014-03-19T20:57:09 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 634 | py | # coding=UTF-8
import json
from pprint import pprint
def estados_json():
print request.vars
with open('/home/fernado/web2py/tronco/applications/ubercred/views/estados.json') as json_data:
json_data = json.load(json_data)
#print json_data[0]
#for dado in json_data:
# print dado
return response.json(json_data)
#return response.render("estados.json")
def cidades_json():
print request.vars
with open('/home/fernado/web2py/tronco/applications/ubercred/views/cidades.json') as json_data:
json_data = json.load(json_data)
print(json_data)
return response.json(json_data)
#return response.render("cidades.json")
| [
"fndiaz02@gmail.com"
] | fndiaz02@gmail.com |
b768bade62e0f9f9d9ba4c7735a0dd7a156dc11b | 0bddb2c26edeb506d641b8f4ede161bc9582785d | /plugins/ethpassthrough/routes.py | 8fb1d0ce9731e3ad963eaab6dcb75ddbc96312fb | [
"MIT"
] | permissive | Deeby/exrproxy | 61c7d65aee66b482ac1b32fc62c27d01df9a0d11 | 145389259eaba6f2c70074248a60d3ea784dbf81 | refs/heads/master | 2023-08-19T09:40:04.321912 | 2020-12-12T00:05:02 | 2020-12-12T00:05:02 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 6,720 | py | # Copyright (c) 2020 The Blocknet developers
# Distributed under the MIT software license, see the accompanying
# file LICENSE or http://www.opensource.org/licenses/mit-license.php.
import json
import logging
import os
import threading
import requests
from flask import Blueprint, Response, g, jsonify, request
from requests.auth import HTTPDigestAuth
from plugins.ethpassthrough import util
from plugins.ethpassthrough.database.models import db_session, select, Project
from plugins.ethpassthrough.middleware import authenticate
from plugins.ethpassthrough.util.request_handler import RequestHandler
app = Blueprint('eth_passthrough', __name__)
req_handler = RequestHandler()
@app.errorhandler(400)
def bad_request_error(error):
response = jsonify({
'error': 'Bad Request ' + error
})
return response
@app.errorhandler(500)
def internal_server_error(error):
response = jsonify({
'error': 'Internal Server Error'
})
return response
@app.errorhandler(401)
def unauthorized_error(error):
response = jsonify({
'error': 'Unauthorized User Access'
})
return response
@app.route('/all_projects', methods=['GET'])
def all_projects():
if not os.environ.get('DEBUG', False):
return Response({}, 401)
results = []
try:
with db_session:
query = select(p for p in Project)
results = [{
'name': p.name,
# 'api_key': p.api_key,
'api_token_count': p.api_token_count,
'used_api_tokens': p.used_api_tokens,
'expires': str(p.expires),
'active': p.active,
} for p in query]
except Exception as e:
logging.error(e)
return jsonify(results)
@app.route('/xrs/eth_passthrough/<project_id>', methods=['POST'])
@authenticate
def handle_request(project_id):
headers = {
'PROJECT-ID': project_id,
'API-TOKENS': g.project.api_token_count,
'API-TOKENS-USED': g.project.used_api_tokens,
'API-TOKENS-REMAINING': g.project.api_token_count - g.project.used_api_tokens
}
data = []
batch = False
try:
req_data = request.get_json()
if not req_data:
return bad_request_error('missing parameters')
# Check if xrouter call (this only has a single request)
if util.is_xrouter_call(req_data):
data.append(util.make_jsonrpc_data(req_data))
else: # Look for multiple requests (list of jsonrpc calls)
if isinstance(req_data, list):
batch = True
for r in req_data:
data.append(util.make_jsonrpc_data(r))
else:
data.append(util.make_jsonrpc_data(req_data))
if not data:
raise ValueError('failed to parse json data')
# Check each json rpc call
for d in data:
method = d['method']
params = d['params']
logging.debug('Received Method: {}, Params: {}'.format(method, params))
env_disallowed_methods = os.environ.get('ETH_HOST_DISALLOWED_METHODS',
'eth_accounts,db_putString,db_getString,db_putHex,db_getHex')
if method in set(env_disallowed_methods.split(',')):
return unauthorized_error(f'disallowed method {method}')
except Exception as e:
logging.debug(e)
return Response(headers=headers, response=json.dumps({
'message': "malformed json post data",
'error': 1000
}))
try:
host = os.environ.get('ETH_HOST', 'http://localhost:8545')
eth_user = os.environ.get('ETH_HOST_USER', '')
eth_pass = os.environ.get('ETH_HOST_PASS', '')
headers = {'content-type': 'application/json'}
results = []
# Make multiple requests to geth endpoint and store results
if eth_user: # only set auth params if defined
auth = HTTPDigestAuth(eth_user, eth_pass)
for d in data:
response = requests.post(host, headers=headers, data=json.dumps(d), auth=auth, timeout=15)
results.append(response.json())
else:
for d in data:
response = requests.post(host, headers=headers, data=json.dumps(d), timeout=15)
results.append(response.json())
# Update api count in background
update_api_thread = threading.Thread(target=update_api_count, name="update_api_count", args=[project_id])
update_api_thread.start()
# If batch request return list
return Response(headers=headers, response=json.dumps(results if batch or len(results) > 1 else results[0]))
except Exception as e:
logging.debug(e)
response = {
'message': "An error has occurred!",
'error': 1000
}
return Response(headers=headers, response=json.dumps(response), status=400)
@app.route('/xrs/eth_passthrough', methods=['HEAD', 'GET'])
def eth_passthough_root():
return '''
<h1>eth_passthrough is supported on this host</h1>
<div>
To get started create a project:
curl -X POST -d \'{"id": 1, "method": "request_project", "params": []}\' http://host:port/xrs/eth_passthrough
</div>
'''
@app.route('/xrs/eth_passthrough', methods=['POST'])
def xrouter_call():
try:
json_data = request.get_json(force=True)
except Exception as e:
logging.debug(e)
return bad_request_error('malformed json post data')
if 'method' in json_data and json_data['method'] == 'request_project':
project = req_handler.get_project()
logging.info('Project Requested: {}'.format(project))
return jsonify(project)
# Support XRouter calls to eth_passthrough. XRouter posts an array of parameters.
# The expected format for eth_passthrough is:
# [string, string, string_json_array]
# ["project_id", "method", "[parameters...]"]
if isinstance(json_data, list) and len(json_data) >= 3:
project_id = json_data[0]
if project_id is None or project_id is '':
return bad_request_error('Invalid project id')
data = util.make_jsonrpc_data(json_data)
if not data:
return bad_request_error('invalid post data')
# Check xrouter requests for api key
api_key = util.get_api_key(json_data)
return req_handler.post_eth_proxy_project(request.host, data, project_id, api_key)
return eth_passthough_root()
def update_api_count(project_id):
res = req_handler.post_update_api_count(project_id)
logging.debug('update_api_count {} {}'.format(project_id, res))
| [
"magic.ru789@gmail.com"
] | magic.ru789@gmail.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.