text
stringlengths
2
1.04M
meta
dict
{{- $compatibility := .Site.Params.compatibility | default dict -}} {{- $cdn := .Scratch.Get "cdn" | default dict -}} {{- $fingerprint := .Scratch.Get "fingerprint" -}} {{- /* Polyfill.io */ -}} {{- if $compatibility.polyfill -}} {{- $features := slice -}} {{- range resources.Get "data/polyfill.yml" | transform.Unmarshal -}} {{- range . -}} {{- $features = $features | append . -}} {{- end -}} {{- end -}} {{- with $features | uniq -}} {{- delimit . "%2C" | printf "https://polyfill.io/v3/polyfill.min.js?features=%v" | dict "Source" | dict "Scratch" $.Scratch "Data" | partial "scratch/script.html" -}} {{- end -}} {{- end -}} {{- /* object-fit-images */ -}} {{- if $compatibility.objectFit -}} {{- $source := $cdn.objectFitImagesJS | default "lib/object-fit-images/ofi.min.js" -}} {{- dict "Source" $source "Fingerprint" $fingerprint | dict "Scratch" .Scratch "Data" | partial "scratch/script.html" -}} {{- end -}}
{ "content_hash": "c5f8da2c23d1ab67612bb1f661f2b695", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 175, "avg_line_length": 44.77272727272727, "alnum_prop": 0.5604060913705584, "repo_name": "nange/blog", "id": "b460f185f12cfa98a4bd0fef8d439fe5fd2ccfc4", "size": "985", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "themes/DoIt/layouts/partials/plugin/compatibility.html", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "175831" }, { "name": "JavaScript", "bytes": "432978" }, { "name": "SCSS", "bytes": "104471" } ], "symlink_target": "" }
import importlib import re import xml.etree.cElementTree as xml from rinde.stage import StageFactory from rinde.stage.node import ComplexNode from rinde.stage.node import SimpleNode from rinde.stage.node.util import Group class AbstractXMLParser(object): def __init__(self, file): try: self.__parse_file(file) except IOError: raise IOError("Cannot load file: '%s'" % file) def __parse_file(self, file): document = open(file).read() self.__imported_types = self.__import_types(document) self.__root = xml.fromstring(document) def __import_types(self, document): types = {} regex = re.compile("<\?import (\w.+) \?>") for module in re.findall(regex, document): module_name, type_name = module.rsplit(".", 1) module = importlib.import_module(module_name) types[type_name] = getattr(module, type_name) return types def parse_root(self): return self.create_root(self.__parse_attributes(self.__root), self.__root.tag) def __parse_attributes(self, element): return {property: value for property, value in element.attrib.items()} def create_root(self, attributes, tag): raise NotImplementedError def parse(self): return self.__parse_elements(self.__root) def __parse_elements(self, elements): nodes = [] for element in elements: attributes, children = self.__parse_element(element) node = self.parse_element(element.tag, attributes, children) nodes.append(node) return nodes def __parse_element(self, element): return self.__parse_attributes(element), self.__parse_elements(element) def parse_element(self, type_name, attributes, children): raise NotImplementedError def get_imported(self, type_name): try: return self.__imported_types[type_name] except KeyError: raise TypeError("Type not imported: '%s'" % type_name) class AbstractLayoutParser(AbstractXMLParser): def __init__(self, stage_directory): super(AbstractLayoutParser, self).__init__("%s/layout.xml" % stage_directory) def parse_stage(self): stage = self.parse_root() self.__controller = stage.get_controller() return stage def create_root(self, attributes, tag): try: return self.create_stage(attributes, tag) except TypeError: raise TypeError("Invalid stage argumentation") def create_stage(self, attributes, tag): raise NotImplementedError def parse_element(self, type_name, attributes, children): if "action" in attributes: self.__convert_node_action(attributes) if "group" in attributes: self.__convert_node_group(attributes) try: node = self.__create_node(type_name, attributes, children) except TypeError as exception: raise TypeError("Invalid '%s' argumentation: %s" % (type_name, exception)) if not isinstance(node, (SimpleNode, ComplexNode)): raise TypeError("Node must be a subclass of rinde.stage.node.ComplexNode or rinde.stage.node.SimpleNode") if "id" in attributes: self.__controller.nodes[attributes["id"]] = node return node def __convert_node_action(self, attributes): try: attributes["action"] = getattr(self.__controller, attributes["action"]) except AttributeError: raise TypeError("Controller must implement method '%s'" % attributes["action"]) def __convert_node_group(self, attributes): group_name = attributes["group"] if group_name not in self.__controller.groups: self.__controller.groups[group_name] = Group() attributes["group"] = self.__controller.groups[group_name] def __create_node(self, type_name, attributes, children): type = self.get_imported(type_name) if children: return type(children=children, **attributes) else: return type(**attributes) class LayoutParserWithExistingController(AbstractLayoutParser): def __init__(self, stage_directory, controller): super(LayoutParserWithExistingController, self).__init__(stage_directory) self.__controller = controller def create_stage(self, attributes, tag): return StageFactory.create(tag, attributes, self.__controller) class LayoutParserWithCreatingController(AbstractLayoutParser): def create_stage(self, attributes, tag): controller = self.__extract_controller_from_attributes(attributes) controller = self.__create_controller(controller) return StageFactory.create(tag, attributes, controller) def __extract_controller_from_attributes(self, attributes): try: return attributes.pop("controller") except KeyError: raise ValueError("Stage controller not specified") def __create_controller(self, controller): try: return self.__try_to_create_controller(controller) except ImportError: raise ImportError("Controller module not found") except AttributeError: raise ImportError("Controller class not found") except TypeError: raise TypeError("Controller constructor cannot take any argument") def __try_to_create_controller(self, controller): module_name, class_name = controller.rsplit(".", 1) module = importlib.import_module(module_name) controller = getattr(module, class_name) return controller()
{ "content_hash": "a6965dcc45681740b2d3444b21610881", "timestamp": "", "source": "github", "line_count": 170, "max_line_length": 108, "avg_line_length": 29.805882352941175, "alnum_prop": 0.7217288336293665, "repo_name": "r0jsik/rinde", "id": "25459260abaa9d9bc815139b42d38bd56ff11a85", "size": "5067", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "rinde/stage/builder/layout.py", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "3339" }, { "name": "HTML", "bytes": "1025" }, { "name": "Python", "bytes": "102352" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="wrap_content" android:layout_height="wrap_content" android:background="@drawable/popup_inline_error_above" android:orientation="horizontal" > <LinearLayout android:background="@drawable/list_selector" android:clickable="true" android:id="@+id/ll_uninstall" android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center_horizontal" android:orientation="vertical" > <ImageView android:layout_width="wrap_content" android:layout_height="wrap_content" android:src="@drawable/img1" /> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="卸载" /> </LinearLayout> <LinearLayout android:background="@drawable/list_selector" android:clickable="true" android:id="@+id/ll_start" android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center_horizontal" android:orientation="vertical" > <ImageView android:layout_width="wrap_content" android:layout_height="wrap_content" android:src="@drawable/img2" /> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="启动" /> </LinearLayout> <LinearLayout android:background="@drawable/list_selector" android:clickable="true" android:id="@+id/ll_share" android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center_horizontal" android:orientation="vertical" > <ImageView android:layout_width="wrap_content" android:layout_height="wrap_content" android:src="@drawable/img3" /> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="分享" /> </LinearLayout> <LinearLayout android:background="@drawable/list_selector" android:clickable="true" android:id="@+id/ll_setting" android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center_horizontal" android:orientation="vertical" > <ImageView android:layout_width="wrap_content" android:layout_height="wrap_content" android:src="@drawable/img4" /> <TextView android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="设置" /> </LinearLayout> </LinearLayout>
{ "content_hash": "263a847870948b985e31931e98a280e1", "timestamp": "", "source": "github", "line_count": 90, "max_line_length": 72, "avg_line_length": 32.24444444444445, "alnum_prop": 0.6095796002756719, "repo_name": "Ztiany/Repository", "id": "f33eece1794635afd7f2021724b0310bc7671138", "size": "2918", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "Android/MobileGuard/app/src/main/res/layout/item_appmanager_popup.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "38608" }, { "name": "C++", "bytes": "52662" }, { "name": "CMake", "bytes": "316" }, { "name": "CSS", "bytes": "28" }, { "name": "Groovy", "bytes": "151193" }, { "name": "HTML", "bytes": "126611" }, { "name": "Java", "bytes": "632743" }, { "name": "Kotlin", "bytes": "81491" }, { "name": "Python", "bytes": "16189" } ], "symlink_target": "" }
class Admin::UsersController < Admin::AdminController def index @users = current_organization.users.paginate(:page => params[:page], :per_page => 30) end def show @user = current_organization.users.find(params[:id]) end def edit @user = current_organization.users.find(params[:id]) end def update @user = current_organization.users.find(params[:id]) if @user.update_attributes(params[:organization_user]) then redirect_to admin_users_path, :message => "Updated #{@user.user_name}" else render :edit end end def destroy @user = current_organization.users.find(params[:id]) if @user.destroy then redirect_to admin_users_path, :message => "Deleted #{@user.name}" else redirect_to admin_users_path, :message => "Unabled to delete #{@user.name}" end end def search query = "#{'%'}#{params[:query]}#{'%'}" @users = current_organization.users.joins(:user).where(["name like ? or department like ? or email like ?", query, query, query]) @users = @users.where(verified: 0) if params[:unverified].eql?("1") @users = @users.paginate(:page => params[:page], :per_page => 30) respond_to do |format| puts @users.inspect format.js end end end
{ "content_hash": "a0c4e3139935b455f03c9e60c6ee8820", "timestamp": "", "source": "github", "line_count": 44, "max_line_length": 133, "avg_line_length": 28.727272727272727, "alnum_prop": 0.6447784810126582, "repo_name": "chadfennell/ccf", "id": "cc9ba2fd228ea26d52383e1e1090d991b18bc714", "size": "1264", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/controllers/admin/users_controller.rb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "3750" }, { "name": "CoffeeScript", "bytes": "2575" }, { "name": "JavaScript", "bytes": "767" }, { "name": "Ruby", "bytes": "88408" } ], "symlink_target": "" }
<?php Class QueueTest extends PHPUnit_Framework_TestCase { public function setUp(){ $this->Queue = new \Disco\classes\Queue; }//setUp public function testPush(){ //$file = \App::$app->path.'/vendor/discophp/framework/test/asset/queue-test.txt'; //$this->Queue->push(function() { // file_put_contents('/var/www/playground/vendor/discophp/framework/test/asset/queue-test.txt','test'); //},1); //sleep(1); //$c = file_get_contents($file); //file_put_contents($file,''); $c = 'test'; $this->assertEquals('test',$c); }//testPush }//QueueTest
{ "content_hash": "6df426f9bb2c911ac6c72cdc78678824", "timestamp": "", "source": "github", "line_count": 27, "max_line_length": 114, "avg_line_length": 23.925925925925927, "alnum_prop": 0.5727554179566563, "repo_name": "melvinyoung4/ivdimensions", "id": "89cba4bdd3b0c16eb827d5228d59c906a21da8d4", "size": "646", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "vendor/discophp/framework/test/unit/classes/QueueTest.php", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "ApacheConf", "bytes": "172" }, { "name": "CSS", "bytes": "98847" }, { "name": "HTML", "bytes": "25108" }, { "name": "JavaScript", "bytes": "87245" }, { "name": "PHP", "bytes": "13913" }, { "name": "Perl", "bytes": "45" } ], "symlink_target": "" }
var thisPlugin = { id: 'midLeg.har', executor: function(next, thisEscalator) { // ---[[[ all done here centipede.legs.har = har; next(); } }; module.exports = thisPlugin; function har(options) { this.options = options; var leg = { id: 'har', executor: function(next, thisEscalator) { console.log('---har'); // var targetFile = config.directories.snapshots + '/' + thisEscalator.phantomOptions.crawlId + '.' + options.format; thisEscalator.phantomOptions.phantomModules.prePageOpen.har = { file: __dirname + '/phantomModule.har.js' }; thisEscalator.phantomOptions.har = { nothing: true }; next(); } }; return leg; };
{ "content_hash": "c8940ca1d2184ba817f66a42dd402501", "timestamp": "", "source": "github", "line_count": 31, "max_line_length": 123, "avg_line_length": 21.64516129032258, "alnum_prop": 0.6423248882265276, "repo_name": "itsatony/centipede", "id": "2e1da3c29908e29581d1528b2b59b556d4c4f3e9", "size": "692", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/plugins/midLeg.har/midLeg.har.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "411118" }, { "name": "Makefile", "bytes": "123" } ], "symlink_target": "" }
import pickle import numpy as np import cv2 from kinect import Kinect from body import BodyDetector from hand import HandDetector, HandContourDetector from features import FourierDescriptors from sklearn.covariance import EmpiricalCovariance GO = 103 class TrainPose(): def __init__(self, id, nsamples, dst): self._id = id self._nsamples = nsamples self._dst = dst self._kinect = Kinect() self._body = BodyDetector() self._hand = HandDetector() self._contour = HandContourDetector() self._fdesc = FourierDescriptors() self._train = [] def run(self): warmup = True for (depth8, depth, rgb) in self._kinect.get_data(): contour = self._get_hand_contour(depth8, depth, rgb) if not contour: continue self._contour.draw() if warmup: key = cv2.waitKey(5) if key == GO: warmup = False continue fd = self._fdesc.run(contour) self._train.append(fd) if len(self._train) == self._nsamples: self._save() break cv2.waitKey(5) def _get_hand_contour(self, depth8, depth, rgb): body = self._body.run(depth8) (hand, _) = self._hand.run(body) (cont, box, hc) = self._contour.run(hand) if self._contour.not_valid(): return [] (cont, _, _) = self._contour.run(rgb, True, box, hc, depth) return cont def _save(self): data = np.array(self._train) model = EmpiricalCovariance().fit(np.array(self._train)) output = {'id': self._id, 'data': data, 'model': model} pickle.dump(output, open(self._dst, 'wb')) if __name__ == '__main__': import argparse parser = argparse.ArgumentParser(description='gen proto') parser.add_argument('--id', required=True, type=int) parser.add_argument('--nsamples', required=True, type=int) parser.add_argument('--dst', required=True) args = parser.parse_args() TrainPose(args.id, args.nsamples, args.dst).run()
{ "content_hash": "0c3ff81c2731a499c991e51582bb6b44", "timestamp": "", "source": "github", "line_count": 80, "max_line_length": 67, "avg_line_length": 27.5, "alnum_prop": 0.5590909090909091, "repo_name": "fpeder/pyXKin", "id": "2da5bb106b7ad9997251ae5f5deb54e38631e39c", "size": "2247", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tools/train_pose.py", "mode": "33261", "license": "bsd-2-clause", "language": [ { "name": "Python", "bytes": "40960" } ], "symlink_target": "" }
package de.fhkoeln.tests.tasks; import de.fhkoeln.Pipeline; import de.fhkoeln.io.TextReader; import de.fhkoeln.tasks.NLPTask; import org.junit.Test; import java.io.File; import java.io.IOException; import java.util.Properties; import static org.hamcrest.core.IsNot.not; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertThat; public class NLPTaskTests { @Test public void nlpTaskTests() throws IOException { Properties prop = new Properties(); prop.put("annotators", "tokenize, ssplit, pos, ner, lemma"); prop.put("tokenize.language", "de"); prop.put("ner.model", "edu/stanford/nlp/models/ner/german.hgc_175m_600.crf.ser.gz"); prop.put("ner.applyNumericClassifiers", "false"); prop.put("ner.useSUTime", "false"); prop.put("pos.model", "edu/stanford/nlp/models/pos-tagger/german/german-hgc.tagger"); Pipeline pipeline = new Pipeline("src/test/resources/images/tasks/nlp/"); NLPTask task = new NLPTask(prop); pipeline.addDocument("src/test/resources/text/list/text.txt"); System.out.println("Anzahl der Dokumente: " + pipeline.numberOfDocuments()); pipeline.addTask(task); pipeline.apply(); File data = new File("src/test/resources/images/tasks/nlp/text/data.txt"); TextReader reader = new TextReader(); String read = reader.read(data); assertEquals(true, data.exists()); assertThat(read, not("")); } }
{ "content_hash": "07e42024510e9167fb5dcd1e40d05b17", "timestamp": "", "source": "github", "line_count": 43, "max_line_length": 93, "avg_line_length": 34.83720930232558, "alnum_prop": 0.6789052069425902, "repo_name": "slemke/tpp4j", "id": "d7ea006ab9a1e43b645026d1d5e40332586268f1", "size": "1498", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/test/java/de/fhkoeln/tests/tasks/NLPTaskTests.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "90457" } ], "symlink_target": "" }
<!DOCTYPE html> <title>Tests that the cue display tree has been removed properly and no crash happens.</title> <script src="../media-file.js"></script> <script src="../media-controls.js"></script> <script src="../../resources/testharness.js"></script> <script src="../../resources/testharnessreport.js"></script> <video> <track src="captions-webvtt/captions.vtt" kind="captions" mode="showing"> </video> <script> async_test(function(t) { var video = document.querySelector("video"); video.src = findMediaFile("video", "../content/test"); video.play(); video.oncanplaythrough = t.step_func_done(function() { // Empty the contents of the video element when it is ready to play. video.textContent = ""; // Text track should not be rendered anymore. assert_throws(null, function() { textTrackDisplayElement(video); }); }); }); </script>
{ "content_hash": "c874cde348762d1d114537a8c98d6495", "timestamp": "", "source": "github", "line_count": 24, "max_line_length": 94, "avg_line_length": 37.083333333333336, "alnum_prop": 0.6685393258426966, "repo_name": "google-ar/WebARonARCore", "id": "6294080d242f554c1a3e4ef71704c46da6d04856", "size": "890", "binary": false, "copies": "4", "ref": "refs/heads/webarcore_57.0.2987.5", "path": "third_party/WebKit/LayoutTests/media/track/track-cue-rendering-tree-is-removed-properly.html", "mode": "33188", "license": "apache-2.0", "language": [], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <!-- 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. --> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <title>CloudStack UI Tests</title> <link rel="stylesheet" href="../lib/qunit/qunit.css" type="text/css" media="screen" /> <link rel="stylesheet" href="../css/cloudStack3.css" type="text/css" media="screen" /> </head> <body> <h1 id="qunit-header">CloudStack UI Tests</h1> <h2 id="qunit-banner"></h2> <div id="qunit-testrunner-toolbar"></div> <h2 id="qunit-userAgent"></h2> <ol id="qunit-tests"></ol> <div id="qunit-fixture">test markup, will be hidden</div> <!-- jQuery --> <script src="../lib/jquery.js" type="text/javascript"></script> <script src="../lib/jquery.easing.js" type="text/javascript"></script> <script src="../lib/jquery.validate.js" type="text/javascript"></script> <script src="../lib/jquery-ui/js/jquery-ui.js" type="text/javascript"></script> <!-- Flot --> <script src="../lib/excanvas.js"></script> <script src="../lib/flot/jquery.flot.js" type="text/javascript"></script> <script src="../lib/flot/jquery.colorhelpers.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.crosshair.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.fillbetween.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.image.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.navigate.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.pie.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.resize.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.selection.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.stack.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.symbol.js" type="text/javascript"></script> <script src="../lib/flot/jquery.flot.threshold.js" type="text/javascript"></script> <!-- UI --> <script src="../scripts/ui/core.js" type="text/javascript"></script> <script src="../scripts/ui/utils.js" type="text/javascript"></script> <script src="../scripts/ui/events.js" type="text/javascript"></script> <script src="../scripts/ui/dialog.js" type="text/javascript"></script> <!-- UI - Widgets --> <script src="../scripts/ui/widgets/multiEdit.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/overlay.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/dataTable.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/cloudBrowser.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/listView.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/detailView.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/treeView.js" type="text/javascript"></script> <script src="../scripts/ui/widgets/notifications.js" type="text/javascript"></script> <!-- Common libraries --> <script src="../lib/date.js" type="text/javascript"></script> <script src="../lib/jquery.cookies.js" type="text/javascript"></script> <script src="../lib/jquery.timers.js" type="text/javascript"></script> <script src="../lib/jquery.md5.js" type="text/javascript" ></script> <!-- CloudStack --> <script src="../scripts/ui-custom/login.js" type="text/javascript"></script> <script src="../scripts/ui-custom/projects.js" type="text/javascript"></script> <script src="../scripts/ui-custom/zoneChart.js" type="text/javascript"></script> <script src="../scripts/ui-custom/dashboard.js" type="text/javascript"></script> <script src="../scripts/ui-custom/installWizard.js" type="text/javascript"></script> <script src="../scripts/ui-custom/instanceWizard.js" type="text/javascript"></script> <script src="../scripts/ui-custom/ipRules.js" type="text/javascript"></script> <script src="../scripts/ui-custom/enableStaticNAT.js" type="text/javascript"></script> <script src="../scripts/ui-custom/securityRules.js" type="text/javascript"></script> <script src="../scripts/ui-custom/recurringSnapshots.js" type="text/javascript"></script> <script src="../scripts/ui-custom/physicalResources.js" type="text/javascript"></script> <script src="../scripts/ui-custom/zoneWizard.js" type="text/javascript"></script> <!-- qunit --> <script src="../lib/qunit/qunit.js" type="text/javascript"></script> <!-- Tests --> <script src="test.core.js" type="text/javascript"></script> <script src="test.cloudBrowser.js" type="text/javascript"></script> <script src="test.notifications.js" type="text/javascript"></script> <script src="test.listView.js" type="text/javascript"></script> <script src="test.detailView.js" type="text/javascript"></script> <script src="test.multiEdit.js" type="text/javascript"></script> </body> </html>
{ "content_hash": "a965c734b442809ccfe8001efc10c3c2", "timestamp": "", "source": "github", "line_count": 103, "max_line_length": 93, "avg_line_length": 56.650485436893206, "alnum_prop": 0.6831191088260496, "repo_name": "mufaddalq/cloudstack-datera-driver", "id": "fcb7305a7ce868aad8f9aceabe438123668cbd88", "size": "5835", "binary": false, "copies": "3", "ref": "refs/heads/4.2", "path": "ui/tests/index.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ApacheConf", "bytes": "250" }, { "name": "Batchfile", "bytes": "6317" }, { "name": "CSS", "bytes": "302008" }, { "name": "FreeMarker", "bytes": "4917" }, { "name": "HTML", "bytes": "38671" }, { "name": "Java", "bytes": "79758943" }, { "name": "JavaScript", "bytes": "4237188" }, { "name": "Perl", "bytes": "1879" }, { "name": "Python", "bytes": "5187499" }, { "name": "Shell", "bytes": "803262" } ], "symlink_target": "" }
package android_testsuite.mytest.camera; import android.content.Context; import android.hardware.Camera; import android.view.SurfaceHolder; import android.view.SurfaceView; import java.io.IOException; /** * 照相预览基类 * Created by renhui on 2015/4/29. */ public class CameraPreview extends SurfaceView implements SurfaceHolder.Callback { private SurfaceHolder mHolder; private Camera mCamera; public CameraPreview(Context context, Camera camera) { super(context); mCamera = camera; mHolder = getHolder(); mHolder.addCallback(this); mHolder.setType(SurfaceHolder.SURFACE_TYPE_PUSH_BUFFERS); } public void surfaceCreated(SurfaceHolder holder) { // The Surface has been created, now tell the camera where to draw the preview. try { mCamera.setPreviewDisplay(holder); mCamera.startPreview(); } catch (IOException e) { e.printStackTrace(); } } public void surfaceDestroyed(SurfaceHolder holder) { // empty. Take care of releasing the Camera preview in your activity. } public void surfaceChanged(SurfaceHolder holder, int format, int w, int h) { // If your preview can change or rotate, take care of those events here. // Make sure to stop the preview before resizing or reformatting it. if (mHolder.getSurface() == null){ // preview surface does not exist return; } // stop preview before making changes try { mCamera.stopPreview(); } catch (Exception e){ // ignore: tried to stop a non-existent preview } // set preview size and make any resize, rotate or // reformatting changes here // start preview with new settings try { mCamera.setPreviewDisplay(mHolder); mCamera.startPreview(); } catch (Exception e){ e.printStackTrace(); } } }
{ "content_hash": "87316ebe9c444e02f45ddc0af7173200", "timestamp": "", "source": "github", "line_count": 70, "max_line_length": 87, "avg_line_length": 28.542857142857144, "alnum_prop": 0.6321321321321322, "repo_name": "renhui/android_career", "id": "d877f42ea15dc34cc356691e4e85ce78abeced49", "size": "2010", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "business/android_testsuite/android_testsuite/android_testsuite/src/main/java/android_testsuite/mytest/camera/CameraPreview.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "1013843" } ], "symlink_target": "" }
class Thor Correctable = if defined?(DidYouMean::SpellChecker) && defined?(DidYouMean::Correctable) # rubocop:disable Naming/ConstantName # In order to support versions of Ruby that don't have keyword # arguments, we need our own spell checker class that doesn't take key # words. Even though this code wouldn't be hit because of the check # above, it's still necessary because the interpreter would otherwise be # unable to parse the file. class NoKwargSpellChecker < DidYouMean::SpellChecker # :nodoc: def initialize(dictionary) @dictionary = dictionary end end DidYouMean::Correctable end # Thor::Error is raised when it's caused by wrong usage of thor classes. Those # errors have their backtrace suppressed and are nicely shown to the user. # # Errors that are caused by the developer, like declaring a method which # overwrites a thor keyword, SHOULD NOT raise a Thor::Error. This way, we # ensure that developer errors are shown with full backtrace. class Error < StandardError end # Raised when a command was not found. class UndefinedCommandError < Error class SpellChecker attr_reader :error def initialize(error) @error = error end def corrections @corrections ||= spell_checker.correct(error.command).map(&:inspect) end def spell_checker NoKwargSpellChecker.new(error.all_commands) end end attr_reader :command, :all_commands def initialize(command, all_commands, namespace) @command = command @all_commands = all_commands message = "Could not find command #{command.inspect}" message = namespace ? "#{message} in #{namespace.inspect} namespace." : "#{message}." super(message) end prepend Correctable if Correctable end UndefinedTaskError = UndefinedCommandError class AmbiguousCommandError < Error end AmbiguousTaskError = AmbiguousCommandError # Raised when a command was found, but not invoked properly. class InvocationError < Error end class UnknownArgumentError < Error class SpellChecker attr_reader :error def initialize(error) @error = error end def corrections @corrections ||= error.unknown.flat_map { |unknown| spell_checker.correct(unknown) }.uniq.map(&:inspect) end def spell_checker @spell_checker ||= NoKwargSpellChecker.new(error.switches) end end attr_reader :switches, :unknown def initialize(switches, unknown) @switches = switches @unknown = unknown super("Unknown switches #{unknown.map(&:inspect).join(', ')}") end prepend Correctable if Correctable end class RequiredArgumentMissingError < InvocationError end class MalformattedArgumentError < InvocationError end if Correctable DidYouMean::SPELL_CHECKERS.merge!( 'Thor::UndefinedCommandError' => UndefinedCommandError::SpellChecker, 'Thor::UnknownArgumentError' => UnknownArgumentError::SpellChecker ) end end
{ "content_hash": "1954613f2f5ce29e8f025d52aafdeac7", "timestamp": "", "source": "github", "line_count": 110, "max_line_length": 128, "avg_line_length": 29.6, "alnum_prop": 0.6581695331695332, "repo_name": "erikhuda/thor", "id": "c7c285906483cfe82658e37df55e3c2e40dfd3da", "size": "3256", "binary": false, "copies": "4", "ref": "refs/heads/master", "path": "lib/thor/error.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "380430" } ], "symlink_target": "" }
Contributors ============ People that have helped in any way shape or form to get to where we are, many thanks. In our team ----------- * `Dave Fuller <https://github.com/daveaccent>`_ * `Stuart George <https://github.com/stuartaccent>`_ * `Tim Donhou <https://github.com/timaccent>`_ In the community ---------------- * `Aimee Hendrycks <https://github.com/AimeeHendrycks>`_ * `Aram Dulyan <https://github.com/Aramgutang>`_ * `José Luis <https://github.com/SalahAdDin>`_ * `Nathan Victor <https://github.com/NathanQ>`_ * `Tom Dyson <https://github.com/tomdyson>`_
{ "content_hash": "ae125be8475d203c32908fc87309c61a", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 85, "avg_line_length": 28.5, "alnum_prop": 0.6596491228070176, "repo_name": "AccentDesign/wagtailstreamforms", "id": "ef2d70dbae49ccb65f18b2b1e32d38e506c8214e", "size": "571", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/contributors.rst", "mode": "33188", "license": "mit", "language": [ { "name": "Dockerfile", "bytes": "690" }, { "name": "HTML", "bytes": "14735" }, { "name": "JavaScript", "bytes": "213" }, { "name": "Makefile", "bytes": "438" }, { "name": "Python", "bytes": "189375" }, { "name": "SCSS", "bytes": "2257" }, { "name": "Shell", "bytes": "559" } ], "symlink_target": "" }
import Ember from 'ember'; import Util from 'ember-cli-pagination/util'; import TruncatePages from './truncate-pages'; import SafeGet from '../util/safe-get'; export default Ember.Object.extend(SafeGet, { pageItemsAll: Ember.computed("currentPage", "totalPages", function() { const currentPage = this.getInt("currentPage"); const totalPages = this.getInt("totalPages"); Util.log(`PageNumbers#pageItems, currentPage ${currentPage}, totalPages ${totalPages}`); let res = Ember.A([]); for(let i=1; i<=totalPages; i++) { res.push({ page: i, current: currentPage === i, dots: false }); } return res; }), // pageItemsTruncated: Ember.computed('currentPage','totalPages','numPagesToShow','showFL', function() { const currentPage = this.getInt('currentPage'); const totalPages = this.getInt("totalPages"); const toShow = this.getInt('numPagesToShow'); const showFL = this.get('showFL'); const t = TruncatePages.create({currentPage: currentPage, totalPages: totalPages, numPagesToShow: toShow, showFL: showFL}); const pages = t.get('pagesToShow'); let next = pages[0]; return pages.map(function(page) { var h = { page: page, current: (currentPage === page), dots: (next !== page) }; next = page + 1; return h; }); }), pageItems: Ember.computed('currentPage','totalPages','truncatePages','numPagesToShow', function() { if (this.get('truncatePages')) { return this.get('pageItemsTruncated'); } else { return this.get('pageItemsAll'); } }) });
{ "content_hash": "2134809d64c8d28fb0b9281a433846e4", "timestamp": "", "source": "github", "line_count": 56, "max_line_length": 103, "avg_line_length": 30.535714285714285, "alnum_prop": 0.6017543859649123, "repo_name": "broerse/ember-cli-pagination", "id": "7c5a68d3fc3f60ab5d7410d892ae3e5069f8ec33", "size": "1710", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "addon/lib/page-items.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "57" }, { "name": "HTML", "bytes": "5071" }, { "name": "JavaScript", "bytes": "89516" } ], "symlink_target": "" }
messageFormatPreprocess.select = function (object, data) { return object; // nothing to do here ;) };
{ "content_hash": "64fabd69eaaf1d603bbf4d51604268a9", "timestamp": "", "source": "github", "line_count": 3, "max_line_length": 58, "avg_line_length": 34.666666666666664, "alnum_prop": 0.7115384615384616, "repo_name": "Nemo64/meteor-translator", "id": "49cdf969eed263ce8d8ac88c0639f71d3454f325", "size": "104", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/message-format/select-preprocess.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "115846" } ], "symlink_target": "" }
title: Statistical and Dynamical Downscaling, A Report excerpt: For an Atmospheric Science course, I evaluated climate model downscaling approaches. date: December 2016 published: true link: /portfolio/writing/downscaling.pdf header: teaser: /portfolio/writing/downscaling.png ---
{ "content_hash": "af0295a2c25e43b63d3e299843d79792", "timestamp": "", "source": "github", "line_count": 8, "max_line_length": 93, "avg_line_length": 35.75, "alnum_prop": 0.8041958041958042, "repo_name": "acannistra/acannistra.github.io", "id": "4c4dd5f749d4b2f275cbe7439d0344c5924a08c9", "size": "290", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_portfolio/writing/downscaling.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "70834" }, { "name": "HTML", "bytes": "61452" }, { "name": "JavaScript", "bytes": "53627" }, { "name": "Ruby", "bytes": "8929" } ], "symlink_target": "" }
using Dealership.Engine; namespace Dealership.Contracts { public interface ICommandHandler : ICommandHandlerProcessor { void SerSuccessor(ICommandHandler commandHandler); } }
{ "content_hash": "32e0fc00bca532d3f61ad6139ec5aa33", "timestamp": "", "source": "github", "line_count": 9, "max_line_length": 63, "avg_line_length": 21.88888888888889, "alnum_prop": 0.751269035532995, "repo_name": "Camyul/Modul_2_CSharp", "id": "64e99355b9f7eb449c7ead4821d64d9d93419b78", "size": "199", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Design-Patterns/Dealership-AuthorSolution/Dealership/Contracts/ICommandHandler.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "1609619" }, { "name": "HTML", "bytes": "689" }, { "name": "JavaScript", "bytes": "294" } ], "symlink_target": "" }
class CreateChatUsers < ActiveRecord::Migration def change create_table :chat_users do |t| t.references :chat, chat: true, index: true, foreign_key: true t.references :user, index: true, foreign_key: false t.datetime :departed_at t.timestamps null: false end end end
{ "content_hash": "092cee6716558874775daecc2dfa152a", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 68, "avg_line_length": 27.636363636363637, "alnum_prop": 0.6776315789473685, "repo_name": "buermann/introspective_admin", "id": "92c9db506820d57ccc60f5d18f48330be1302d2c", "size": "304", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "spec/dummy/db/migrate/20150505181636_create_chat_users.rb", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "686" }, { "name": "HTML", "bytes": "4792" }, { "name": "JavaScript", "bytes": "727" }, { "name": "Ruby", "bytes": "89644" }, { "name": "SCSS", "bytes": "581" } ], "symlink_target": "" }
#ifndef GAGMODEL_H #define GAGMODEL_H #include <QtCore/QAbstractListModel> #if (QT_VERSION >= QT_VERSION_CHECK(5, 0, 0)) #include <QtQml/QQmlParserStatus> #define DECL_QMLPARSERSTATUS_INTERFACE Q_INTERFACES(QQmlParserStatus) #else #include <QtDeclarative/QDeclarativeParserStatus> #define QQmlParserStatus QDeclarativeParserStatus #define DECL_QMLPARSERSTATUS_INTERFACE Q_INTERFACES(QDeclarativeParserStatus) #endif #include "gagobject.h" class GagBookManager; class GagRequest; class GagImageDownloader; /*! List model of GagObject list for QML. */ class GagModel : public QAbstractListModel, public QQmlParserStatus { Q_OBJECT DECL_QMLPARSERSTATUS_INTERFACE Q_ENUMS(RefreshType) /*! True if there is active refresh request. Busy visual feedback should show to user and refresh should be disable. */ Q_PROPERTY(bool busy READ isBusy NOTIFY busyChanged) /*! The current progress of downloading images. Value between 0.0 to 1.0. */ Q_PROPERTY(qreal progress READ progress NOTIFY progressChanged) /*! The current progress of manually downloading image (using downloadImage()). Value between 0.0 to 1.0. */ Q_PROPERTY(qreal manualProgress READ manualProgress NOTIFY manualProgressChanged) /*! Set the global instance of GagBookManager. Must be set before component completed and can not be change afterward. */ Q_PROPERTY(GagBookManager *manager READ manager WRITE setManager) /*! The selected 9GAG section to get the gags. */ Q_PROPERTY(int selectedSection READ selectedSection WRITE setSelectedSection NOTIFY selectedSectionChanged) public: enum Roles { TitleRole = Qt::UserRole, IdRole, UrlRole, ImageUrlRole, FullImageUrlRole, GifImageUrlRole, ImageSizeRole, VotesCountRole, CommentsCountRole, LikesRole, IsNSFWRole, IsGIFRole, IsPartialImageRole, IsDownloadingRole }; enum RefreshType { RefreshAll, RefreshOlder }; explicit GagModel(QObject *parent = 0); void classBegin(); void componentComplete(); int rowCount(const QModelIndex &parent) const; QVariant data(const QModelIndex &index, int role) const; QHash<int, QByteArray> roleNames() const; bool isBusy() const; qreal progress() const; qreal manualProgress() const; GagBookManager *manager() const; void setManager(GagBookManager *manager); int selectedSection() const; void setSelectedSection(int selectedSection); /*! Refresh the gag list. */ Q_INVOKABLE void refresh(RefreshType refreshType); /*! Stop and abort the refresh request. */ Q_INVOKABLE void stopRefresh(); /*! Download an image for a gag at index \p i. If the gag is a GIF, the GIF image is download instead. */ Q_INVOKABLE void downloadImage(int i); /*! Change the `likes` of a gag with the \p id. */ Q_INVOKABLE void changeLikes(const QString &id, int likes); signals: void busyChanged(); void progressChanged(); void manualProgressChanged(); void selectedSectionChanged(); /*! Emit when refresh failed, \p errorMessage contains the reason for the failure and should show to user. */ void refreshFailure(const QString &errorMessage); private slots: void onSuccess(const QList<GagObject> &gagList); void onFailure(const QString &errorMessage); void onDownloadProgress(qint64 downloaded, qint64 total); void onDownloadFinished(); void onManualDownloadProgress(qint64 downloaded, qint64 total); void onManualDownloadFinished(); private: bool m_busy; qreal m_progress; qreal m_manualProgress; GagBookManager *m_manager; int m_selectedSection; QHash<int, QByteArray> _roles; QList<GagObject> m_gagList; GagRequest *m_request; GagImageDownloader *m_imageDownloader; GagImageDownloader *m_manualImageDownloader; int m_downloadingIndex; }; #endif // GAGMODEL_H
{ "content_hash": "1e126ff8e56e56b293480c5dcef7ee68", "timestamp": "", "source": "github", "line_count": 132, "max_line_length": 111, "avg_line_length": 30.492424242424242, "alnum_prop": 0.7088198757763975, "repo_name": "dicksonleong/GagBook", "id": "b5530ebc59f948a04081a810c0a09d59d385b7c3", "size": "5444", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/gagmodel.h", "mode": "33188", "license": "bsd-2-clause", "language": [ { "name": "C++", "bytes": "113659" } ], "symlink_target": "" }
<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Code Coverage for C:\xampp\htdocs\fifafutsal\application/views/errors</title> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <link href="css/bootstrap.min.css" rel="stylesheet"> <link href="css/bootstrap-responsive.min.css" rel="stylesheet"> <link href="css/style.css" rel="stylesheet"> <!--[if lt IE 9]> <script src="js/html5shiv.js"></script> <![endif]--> </head> <body> <header> <div class="container"> <div class="row"> <div class="span12"> <ul class="breadcrumb"> <li><a href="index.html">C:\xampp\htdocs\fifafutsal\application</a> <span class="divider">/</span></li> <li><a href="views.html">views</a> <span class="divider">/</span></li> <li class="active">errors</li> <li>(<a href="views_errors.dashboard.html">Dashboard</a>)</li> </ul> </div> </div> </div> </header> <div class="container"> <table class="table table-bordered"> <thead> <tr> <td>&nbsp;</td> <td colspan="9"><div align="center"><strong>Code Coverage</strong></div></td> </tr> <tr> <td>&nbsp;</td> <td colspan="3"><div align="center"><strong>Lines</strong></div></td> <td colspan="3"><div align="center"><strong>Functions and Methods</strong></div></td> <td colspan="3"><div align="center"><strong>Classes and Traits</strong></div></td> </tr> </thead> <tbody> <tr> <td class="danger">Total</td> <td class="danger big"> <div class="progress progress-danger" style="width: 100px;"> <div class="bar" style="width: 0.00%;"></div> </div> </td> <td class="danger small"><div align="right">0.00%</div></td> <td class="danger small"><div align="right">0&nbsp;/&nbsp;185</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> </tr> <tr> <td class="danger"><i class="icon-folder-open"></i> <a href="views_errors_cli.html">cli</a></td> <td class="danger big"> <div class="progress progress-danger" style="width: 100px;"> <div class="bar" style="width: 0.00%;"></div> </div> </td> <td class="danger small"><div align="right">0.00%</div></td> <td class="danger small"><div align="right">0&nbsp;/&nbsp;17</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> </tr> <tr> <td class="danger"><i class="icon-folder-open"></i> <a href="views_errors_html.html">html</a></td> <td class="danger big"> <div class="progress progress-danger" style="width: 100px;"> <div class="bar" style="width: 0.00%;"></div> </div> </td> <td class="danger small"><div align="right">0.00%</div></td> <td class="danger small"><div align="right">0&nbsp;/&nbsp;168</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> <td class="None big">&nbsp;</td> <td class="None small"><div align="right"></div></td> <td class="None small"><div align="right">&nbsp;</div></td> </tr> </tbody> </table> <footer> <h4>Legend</h4> <p> <span class="danger"><strong>Low</strong>: 0% to 35%</span> <span class="warning"><strong>Medium</strong>: 35% to 70%</span> <span class="success"><strong>High</strong>: 70% to 100%</span> </p> <p> <small>Generated by <a href="http://github.com/sebastianbergmann/php-code-coverage" target="_top">PHP_CodeCoverage 1.2.11</a> using <a href="http://www.php.net/" target="_top">PHP 5.6.30</a> and <a href="http://phpunit.de/">PHPUnit 3.7.21</a> at Wed Oct 11 22:30:40 CEST 2017.</small> </p> </footer> </div> <script src="js/bootstrap.min.js" type="text/javascript"></script> </body> </html>
{ "content_hash": "0919fd223bfdb2e7686017eca018168d", "timestamp": "", "source": "github", "line_count": 110, "max_line_length": 289, "avg_line_length": 40.336363636363636, "alnum_prop": 0.5774171737660582, "repo_name": "afiardo1302/fifafutsal", "id": "be510bcb0d05f8fb6e9cfe62286be77a49cabecf", "size": "4437", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "application/tests/build/coverage/views_errors.html", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "155323" }, { "name": "HTML", "bytes": "8941569" }, { "name": "JavaScript", "bytes": "82432" }, { "name": "PHP", "bytes": "2857958" }, { "name": "Shell", "bytes": "782" } ], "symlink_target": "" }
Copyright (c) 2016 Mike Barwick <mike@barwickandco.com> > Permission is hereby granted, free of charge, to any person obtaining a copy > of this software and associated documentation files (the "Software"), to deal > in the Software without restriction, including without limitation the rights > to use, copy, modify, merge, publish, distribute, sublicense, and/or sell > copies of the Software, and to permit persons to whom the Software is > furnished to do so, subject to the following conditions: > > The above copyright notice and this permission notice shall be included in > all copies or substantial portions of the Software. > > THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR > IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, > FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE > AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER > LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, > OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN > THE SOFTWARE.
{ "content_hash": "68ed6dcabadd436d8de89f15c2cf8f5f", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 79, "avg_line_length": 58.526315789473685, "alnum_prop": 0.7823741007194245, "repo_name": "mbarwick83/instagram", "id": "3e4ef668e4333496fae9ac27f79caef163bcab8f", "size": "1137", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "LICENSE.md", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "5254" } ], "symlink_target": "" }
package psidev.psi.mi.jami.xml.model.extension; import psidev.psi.mi.jami.datasource.FileSourceContext; import psidev.psi.mi.jami.datasource.FileSourceLocator; import psidev.psi.mi.jami.model.CooperativityEvidence; import psidev.psi.mi.jami.model.CvTerm; import psidev.psi.mi.jami.model.Experiment; import psidev.psi.mi.jami.model.Publication; import psidev.psi.mi.jami.utils.comparator.cooperativity.UnambiguousCooperativityEvidenceComparator; import java.util.ArrayList; import java.util.Collection; import java.util.Collections; /** * Xml implementation for cooperativity evidence * * @author Marine Dumousseau (marine@ebi.ac.uk) * @version $Id$ * @since <pre>15/11/13</pre> */ public class XmlCooperativityEvidence implements CooperativityEvidence, FileSourceContext { private PsiXmlLocator sourceLocator; private Experiment exp; private Publication publication; private Collection<CvTerm> evidenceMethods; /** * <p>Constructor for XmlCooperativityEvidence.</p> * * @param exp a {@link psidev.psi.mi.jami.model.Experiment} object. */ public XmlCooperativityEvidence(Experiment exp) { if (exp == null){ throw new IllegalArgumentException("The experiment is mandatory"); } this.exp = exp; } /** * <p>Getter for the field <code>publication</code>.</p> * * @return a {@link psidev.psi.mi.jami.model.Publication} object. */ public Publication getPublication() { if (this.publication == null){ if (exp.getPublication() == null){ this.publication = new BibRef(); } else{ this.publication = exp.getPublication(); } this.exp = null; } return this.publication; } /** * <p>Getter for the field <code>sourceLocator</code>.</p> * * @return a {@link psidev.psi.mi.jami.datasource.FileSourceLocator} object. */ public FileSourceLocator getSourceLocator() { return sourceLocator; } /** {@inheritDoc} */ public void setSourceLocator(FileSourceLocator locator) { if (sourceLocator == null){ this.sourceLocator = null; } else if (sourceLocator instanceof PsiXmlLocator){ this.sourceLocator = (PsiXmlLocator)sourceLocator; } else { this.sourceLocator = new PsiXmlLocator(sourceLocator.getLineNumber(), sourceLocator.getCharNumber(), null); } } /** * <p>Setter for the field <code>sourceLocator</code>.</p> * * @param locator a {@link psidev.psi.mi.jami.xml.model.extension.PsiXmlLocator} object. */ public void setSourceLocator(PsiXmlLocator locator) { this.sourceLocator = locator; } /** {@inheritDoc} */ @Override public String toString() { return (getSourceLocator() != null ? "Cooperativity evidence: "+getSourceLocator().toString():super.toString()); } /** * <p>initialiseEvidenceMethods.</p> */ protected void initialiseEvidenceMethods(){ this.evidenceMethods = new ArrayList<CvTerm>(); } /** * <p>initialiseEvidenceMethodsWith.</p> * * @param methods a {@link java.util.Collection} object. */ protected void initialiseEvidenceMethodsWith(Collection<CvTerm> methods){ if (methods == null){ this.evidenceMethods = Collections.EMPTY_LIST; } else{ this.evidenceMethods = methods; } } /** {@inheritDoc} */ public void setPublication(Publication publication) { if (publication == null){ throw new IllegalArgumentException("The publication cannot be null in a CooperativityEvidence"); } this.publication = publication; } /** * <p>Getter for the field <code>evidenceMethods</code>.</p> * * @return a {@link java.util.Collection} object. */ public Collection<CvTerm> getEvidenceMethods() { if (evidenceMethods == null){ initialiseEvidenceMethods(); } return evidenceMethods; } /** {@inheritDoc} */ @Override public boolean equals(Object o) { if (this == o){ return true; } if (!(o instanceof CooperativityEvidence)){ return false; } return UnambiguousCooperativityEvidenceComparator.areEquals(this, (CooperativityEvidence) o); } /** {@inheritDoc} */ @Override public int hashCode() { return UnambiguousCooperativityEvidenceComparator.hashCode(this); } }
{ "content_hash": "f993de7aca502efa06ed4d6efbc656e7", "timestamp": "", "source": "github", "line_count": 156, "max_line_length": 120, "avg_line_length": 29.67948717948718, "alnum_prop": 0.6306695464362851, "repo_name": "MICommunity/psi-jami", "id": "3337448df6ac02638fd399daf040546c6a787345", "size": "4630", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "jami-xml/src/main/java/psidev/psi/mi/jami/xml/model/extension/XmlCooperativityEvidence.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "3953" }, { "name": "HTML", "bytes": "2996" }, { "name": "Java", "bytes": "20488264" }, { "name": "JavaScript", "bytes": "22224" }, { "name": "XSLT", "bytes": "25595" } ], "symlink_target": "" }
const path = require('path'); const merge = require('webpack-merge'); const HtmlWebpackPlugin = require('html-webpack-plugin'); const common = require('./webpack.common.js'); const distRoot = path.resolve('public'); module.exports = merge({ entry: path.resolve('app/src/client/index.js'), output: { path: distRoot, filename: '[name].bundle.js', publicPath: '/' } }, common, { devtool: 'inline-source-map', devServer: { contentBase: distRoot, hot: true } })
{ "content_hash": "9bd4f37a39c7f5b106d89e29ca689b0b", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 57, "avg_line_length": 22.227272727272727, "alnum_prop": 0.6584867075664622, "repo_name": "eduard-idon-io/preact-acme", "id": "47a05c37b991ceefb8dcf979a9b01bcb8d5ebc1b", "size": "489", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "config/webpack.dev.js", "mode": "33261", "license": "mit", "language": [ { "name": "HTML", "bytes": "2060" }, { "name": "JavaScript", "bytes": "10499" } ], "symlink_target": "" }
package com.faforever.api.data; import com.faforever.api.AbstractIntegrationTest; import com.faforever.api.data.domain.GroupPermission; import com.faforever.api.player.PlayerRepository; import com.faforever.api.security.OAuthScope; import org.junit.jupiter.api.Test; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.http.HttpHeaders; import org.springframework.test.context.jdbc.Sql; import org.springframework.test.context.jdbc.Sql.ExecutionPhase; import static com.faforever.api.data.JsonApiMediaType.JSON_API_MEDIA_TYPE; import static org.hamcrest.MatcherAssert.assertThat; import static org.hamcrest.Matchers.hasSize; import static org.hamcrest.core.Is.is; import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.get; import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.post; import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath; import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status; @Sql(executionPhase = ExecutionPhase.BEFORE_TEST_METHOD, scripts = "classpath:sql/truncateTables.sql") @Sql(executionPhase = ExecutionPhase.BEFORE_TEST_METHOD, scripts = "classpath:sql/prepDefaultData.sql") @Sql(executionPhase = ExecutionPhase.BEFORE_TEST_METHOD, scripts = "classpath:sql/prepUserNoteData.sql") public class UserNoteTest extends AbstractIntegrationTest { /* { "data": { "type": "userNote", "attributes": { "watched": false, "note": "This note will be posted" }, "relationships": { "author": { "data": { "type": "player", "id": "1" } }, "player": { "data": { "type": "player", "id": "3" } } } } } */ private static final String testPost = "{\"data\":{\"type\":\"userNote\",\"attributes\":{\"watched\":false,\"note\":\"This note will be posted\"},\"relationships\":{\"author\":{\"data\":{\"type\":\"player\",\"id\":\"1\"}},\"player\":{\"data\":{\"type\":\"player\",\"id\":\"3\"}}}}}"; @Autowired PlayerRepository playerRepository; @Test public void emptyResultWithoutScope() throws Exception { mockMvc.perform(get("/data/userNote") .with(getOAuthTokenWithActiveUser(NO_SCOPE, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE))) .andExpect(status().isOk()) .andExpect(jsonPath("$.data", hasSize(0))); } @Test public void emptyResultWithoutRole() throws Exception { mockMvc.perform(get("/data/userNote") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, NO_AUTHORITIES))) .andExpect(status().isOk()) .andExpect(jsonPath("$.data", hasSize(0))); } @Test public void canReadUserNotesWithScopeAndRole() throws Exception { mockMvc.perform(get("/data/userNote") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE))) .andExpect(status().isOk()) .andExpect(jsonPath("$.data", hasSize(1))); } @Test public void cannotReadSpecificUserNoteWithoutScope() throws Exception { mockMvc.perform(get("/data/userNote/1") .with(getOAuthTokenWithActiveUser(NO_SCOPE, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE))) .andExpect(status().isForbidden()); } @Test public void cannotReadSpecificUserNoteWithoutRole() throws Exception { mockMvc.perform(get("/data/userNote/1") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, NO_AUTHORITIES))) .andExpect(status().isForbidden()); } @Test public void canReadSpecificUserNoteWithScopeAndRole() throws Exception { mockMvc.perform(get("/data/userNote/1") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE))) .andExpect(status().isOk()); } @Test public void cannotCreateUserNoteWithoutScope() throws Exception { mockMvc.perform(post("/data/userNote") .with(getOAuthTokenWithActiveUser(NO_SCOPE, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE)) .header(HttpHeaders.CONTENT_TYPE, JSON_API_MEDIA_TYPE) .content(testPost)) .andExpect(status().isForbidden()); } @Test public void cannotCreateUserNoteWithoutRole() throws Exception { mockMvc.perform(post("/data/userNote") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, NO_AUTHORITIES)) .header(HttpHeaders.CONTENT_TYPE, JSON_API_MEDIA_TYPE) .content(testPost)) .andExpect(status().isForbidden()); } @Test public void canCreateUserNoteWithScopeAndRole() throws Exception { assertThat(playerRepository.getById(3).getUserNotes().size(), is(0)); mockMvc.perform(post("/data/userNote") .with(getOAuthTokenWithActiveUser(OAuthScope._READ_SENSIBLE_USERDATA, GroupPermission.ROLE_ADMIN_ACCOUNT_NOTE)) .header(HttpHeaders.CONTENT_TYPE, JSON_API_MEDIA_TYPE) .content(testPost)) .andExpect(status().isCreated()); assertThat(playerRepository.getById(3).getUserNotes().size(), is(1)); } }
{ "content_hash": "26072961718490e313ba4396f0334f5c", "timestamp": "", "source": "github", "line_count": 130, "max_line_length": 285, "avg_line_length": 40.48461538461538, "alnum_prop": 0.6921907657229717, "repo_name": "FAForever/faf-java-api", "id": "61a40857e3c4f31741e3efe2487ee1d16c73d15c", "size": "5263", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "src/inttest/java/com/faforever/api/data/UserNoteTest.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "1864" }, { "name": "Dockerfile", "bytes": "642" }, { "name": "HTML", "bytes": "7459" }, { "name": "Java", "bytes": "940300" }, { "name": "Lua", "bytes": "3377" }, { "name": "Shell", "bytes": "555" } ], "symlink_target": "" }
module.exports = { siteMetadata: { title: `uncompiled`, siteUrl: `https://www.yourdomain.tld`, }, plugins: [], }
{ "content_hash": "a99d3a84359a7cd976e4bc15401edc9d", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 42, "avg_line_length": 18.142857142857142, "alnum_prop": 0.5905511811023622, "repo_name": "gatsbyjs/gatsby", "id": "d2d39c7540947865b88cd01ca247eaae7f2ea6ea", "size": "127", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "packages/gatsby/src/bootstrap/__mocks__/get-config/gatsby-config.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "93774" }, { "name": "Dockerfile", "bytes": "2751" }, { "name": "EJS", "bytes": "461" }, { "name": "HTML", "bytes": "62227" }, { "name": "JavaScript", "bytes": "5243904" }, { "name": "Less", "bytes": "218" }, { "name": "PHP", "bytes": "2010" }, { "name": "Python", "bytes": "281" }, { "name": "SCSS", "bytes": "218" }, { "name": "Shell", "bytes": "10621" }, { "name": "Stylus", "bytes": "206" }, { "name": "TypeScript", "bytes": "3099577" } ], "symlink_target": "" }
package edacc.configurator.aac.search.ibsutils; import java.io.BufferedReader; import java.io.BufferedWriter; import java.io.File; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStreamReader; import java.io.OutputStreamWriter; import java.sql.SQLException; import java.util.ArrayList; import java.util.Collections; import java.util.HashMap; import java.util.HashSet; import java.util.LinkedList; import java.util.List; import java.util.Map; import java.util.Random; import java.util.Set; import java.util.Comparator; import org.w3c.dom.Attr; import edacc.api.API; import edacc.api.APIImpl; import edacc.api.costfunctions.Average; import edacc.api.costfunctions.CostFunction; import edacc.api.costfunctions.PARX; import edacc.model.ComputationMethodDoesNotExistException; import edacc.model.Experiment; import edacc.model.ExperimentResult; import edacc.model.ExperimentResultDAO; import edacc.model.Instance; import edacc.model.InstanceClassMustBeSourceException; import edacc.model.InstanceDAO; import edacc.model.InstanceHasProperty; import edacc.model.InstanceHasPropertyDAO; import edacc.model.InstanceHasPropertyNotInDBException; import edacc.model.InstanceProperty; import edacc.model.NoConnectionToDBException; import edacc.model.Property; import edacc.model.PropertyDAO; import edacc.model.PropertyNotInDBException; import edacc.model.SolverConfiguration; import edacc.model.SolverConfigurationDAO; import edacc.parameterspace.Parameter; import edacc.parameterspace.ParameterConfiguration; import edacc.parameterspace.domain.*; import edacc.parameterspace.graph.ParameterGraph; import edacc.properties.PropertyTypeNotExistException; import edacc.util.Pair; public class DecisionTree { private Node root; private Random rng; private List<Parameter> params; private ArrayList<Attribute> attributes; private ArrayList<Property> instanceProperties; private ArrayList<Domain> instancePropertyDomains; private double alpha; private int max_results; private CostFunction func; private IntegerDomain instanceIdDomain; private List<Node> leafNodes; private Double eps = 0.000001; public DecisionTree(Random rng, CostFunction func, double alpha, int max_results, List<Pair<ParameterConfiguration, List<ExperimentResult>>> trainData, List<Parameter> params, List<String> instancePropertyNames, boolean useInstanceId) throws NoConnectionToDBException, PropertyNotInDBException, PropertyTypeNotExistException, ComputationMethodDoesNotExistException, SQLException, IOException, InstanceHasPropertyNotInDBException { this.rng = rng; this.func = func; this.alpha = alpha; this.max_results = max_results; root = new NullNode(null); /*List<Pair<ParameterConfiguration, List<ExperimentResult>>> sample = new ArrayList<Pair<ParameterConfiguration, List<ExperimentResult>>>(); for (int i = 0; i < trainData.size(); i++) { sample.add(trainData.get(rng.nextInt(trainData.size()))); }*/ this.params = params; //params = new ArrayList<Parameter>(); //params.addAll(graph.getParameterSet()); leafNodes = new ArrayList<Node>(); instanceProperties = new ArrayList<Property>(); instancePropertyDomains = new ArrayList<Domain>(); List<Property> dbInstanceProperties = PropertyDAO.getAllInstanceProperties(); for (String name : instancePropertyNames) { boolean found = false; for (Property p : dbInstanceProperties) { if (p.getName().equals(name)) { found = true; instanceProperties.add(p); instancePropertyDomains.add(null); break; } } if (!found) { throw new IllegalArgumentException("Did not find instance property: " + name); } } int minInstanceId = Integer.MAX_VALUE; int maxInstanceId = 0; List<Sample> sample = new ArrayList<Sample>(); for (Pair<ParameterConfiguration, List<ExperimentResult>> data : trainData) { Comparable[] parameterValues = new Comparable[params.size()]; for (int i = 0; i < params.size(); i++) { parameterValues[i] = (Comparable) data.getFirst().getParameterValue(params.get(i)); } LinkedList<ExperimentResult> results = new LinkedList<ExperimentResult>(); results.addAll(data.getSecond()); Collections.sort(results, new InstanceIdSort()); while (!results.isEmpty()) { List<ExperimentResult> sampleResults = new ArrayList<ExperimentResult>(); int instanceId = results.getFirst().getInstanceId(); while (!results.isEmpty() && results.getFirst().getInstanceId() == instanceId) { sampleResults.add(results.poll()); } Comparable[] instancePropertyValues = new Comparable[instanceProperties.size()]; for (int i = 0; i < instanceProperties.size(); i++) { InstanceHasProperty ihp = InstanceDAO.getById(instanceId).getPropertyValues().get(instanceProperties.get(i).getId());//InstanceHasPropertyDAO.getByInstanceAndProperty(InstanceDAO.getById(instanceId), instanceProperties.get(i)); try { instancePropertyValues[i] = (Comparable) instanceProperties.get(i).getPropertyValueType().getJavaTypeRepresentation(ihp.getValue()); //System.err.println("instance id = " + instanceId + " IP = " + instancePropertyValues[i]); } catch (Exception ex) { //System.err.println("IP = null"); instancePropertyValues[i] = null; } // update domain for corresponding property if (instancePropertyValues[i] != null) { if (instanceProperties.get(i).getPropertyValueType().getJavaType() == Integer.class) { Integer value = (Integer) instancePropertyValues[i]; IntegerDomain d = (IntegerDomain) instancePropertyDomains.get(i); if (d == null) { d = new IntegerDomain(value, value); instancePropertyDomains.set(i, d); } if (d.getLow() > value) { d.setLow(value); } if (d.getHigh() < value) { d.setHigh(value); } } else if (instanceProperties.get(i).getPropertyValueType().getJavaType() == Double.class || instanceProperties.get(i).getPropertyValueType().getJavaType() == Float.class) { Double value = null; if (instanceProperties.get(i).getPropertyValueType().getJavaType() == Double.class) { value = (Double) instancePropertyValues[i]; } else { value = ((Float) instancePropertyValues[i]).doubleValue(); } RealDomain d = (RealDomain) instancePropertyDomains.get(i); if (d == null) { d = new RealDomain(value, value); instancePropertyDomains.set(i, d); } if (d.getLow() > value) { d.setLow(value); } if (d.getHigh() < value) { d.setHigh(value); } } else if (instanceProperties.get(i).getPropertyValueType().getJavaType() == String.class) { String value = (String) instancePropertyValues[i]; CategoricalDomain d = (CategoricalDomain) instancePropertyDomains.get(i); if (d == null) { d = new CategoricalDomain(new HashSet<String>()); } Set<String> set = d.getCategories(); set.add(value); d.setCategories(set); } else { throw new IllegalArgumentException("Invalid property value type: " + instanceProperties.get(i).getDescription()); } } } if (instanceId < minInstanceId) minInstanceId = instanceId; if (instanceId > maxInstanceId) maxInstanceId = instanceId; // TODO: remove: boolean use = true; for (ExperimentResult res : sampleResults) if (!String.valueOf(res.getResultCode().getResultCode()).startsWith("1")) { use = false; break; } if (!use) continue; Sample s = new Sample(data.getFirst(), parameterValues, instancePropertyValues, sampleResults, instanceId); sample.add(s); } } instanceIdDomain = new IntegerDomain(minInstanceId, maxInstanceId); root.results = sample; root.stddev = stdDev(sample); if (alpha == -1) { alpha = Math.sqrt(stdDev(sample)); //, 10000.)); // / 10.; if (alpha < 0.001) { alpha = 0.001; } System.out.println("[DEBUG] stddev = " + alpha); } int domainsSize = params.size() + instanceProperties.size() + (useInstanceId ? 1 : 0); Domain[] domains = new Domain[domainsSize]; int d_index = 0; attributes = new ArrayList<Attribute>(); for (Parameter p : params) { attributes.add(new Attribute(p, p.getDomain(), d_index)); domains[d_index++] = p.getDomain(); } for (int i = 0; i < instanceProperties.size(); i++) { attributes.add(new Attribute(instanceProperties.get(i), instancePropertyDomains.get(i), d_index)); domains[d_index++] = instancePropertyDomains.get(i); } if (useInstanceId) { attributes.add(new Attribute(new SampleValueType("instanceId"), instanceIdDomain, d_index)); domains[d_index++] = instanceIdDomain; } initializeNode(root, domains); train(root, domains); } private void train(Node node, Domain[] domains) { if (node.left == null) { //System.err.println("Node has no children"); return; } if (node.left.stddev < alpha || node.left.results.size() <= max_results) { // no information can be gained in this node node.left.domains = new Domain[domains.length]; System.arraycopy(domains, 0, node.left.domains, 0, domains.length); node.left.domains[node.left.attr.index] = node.left.domain; leafNodes.add(node.left); } else { // save old domain for backtracking Domain tmpDomain = null; int p_index = -1; if (node.left.domain != null) { p_index = node.left.attr.index; tmpDomain = domains[p_index]; domains[p_index] = node.left.domain; } else { throw new IllegalArgumentException("NULL!"); } // initialize and train node initializeNode(node.left, domains); train(node.left, domains); // backtracking if (node.left.domain != null) { domains[p_index] = tmpDomain; } } if (node.right.stddev < alpha || node.right.results.size() <= max_results) { // no information can be gained in this node node.right.domains = new Domain[domains.length]; System.arraycopy(domains, 0, node.right.domains, 0, domains.length); node.right.domains[node.right.attr.index] = node.right.domain; leafNodes.add(node.right); } else { // save old domain for backtracking Domain tmpDomain = null; int p_index = -1; if (node.right.domain != null) { p_index = node.right.attr.index; tmpDomain = domains[p_index]; domains[p_index] = node.right.domain; } else { throw new IllegalArgumentException("NULL!"); } // initialize and train node initializeNode(node.right, domains); train(node.right, domains); // backtracking if (node.right.domain != null) { domains[p_index] = tmpDomain; } } if (node.nullNode.stddev < alpha || node.nullNode.results.size() <= max_results) { // no information can be gained in this node node.nullNode.domains = new Domain[domains.length]; System.arraycopy(domains, 0, node.nullNode.domains, 0, domains.length); // node.nullNode.domains[node.nullNode.attr.index] = node.nullNode.domain; leafNodes.add(node.nullNode); } else { // TODO: null domain?? initializeNode(node.nullNode, domains); train(node.nullNode, domains); } } private double stdDev(List<Sample> data, Double maxValue) { if (data.size() <= 1) return 0.; int k = 0; double res = 0.; double m = 0.; double costs[] = new double[data.size()]; for (int i = 0; i < data.size(); i++) { if (maxValue == null || data.get(i).cost < maxValue) { costs[i] = data.get(i).cost; m+=costs[i]; k++; } } m /= k; for (int i = 0; i < k; i++) { res += (costs[i] - m) * (costs[i] - m); } res /= k-1; return Math.sqrt(res); } private double stdDev(List<Sample> data) { return stdDev(data, null); } private SplitAttribute findOptimalSplitAttribute(double stddev, List<Sample> data) { double stdDevReduction = 0.; double resStdDevFirst = 0.; double resStdDevLast = 0.; double resStdDevNull = 0.; List<Sample> resFirst = null; List<Sample> resLast = null; List<Sample> resNull = null; Attribute resAttr = null; Object resValue = null; for (Attribute attr : attributes) { //System.err.println("CURRENT ATTRIBUTE: " + attr); List<Sample> nullValues = new ArrayList<Sample>(); List<Pair<Comparable, Sample>> values = new ArrayList<Pair<Comparable, Sample>>(); for (int i = 0; i < data.size(); i++) { Object pvalue = data.get(i).getValue(attr); if (pvalue == null) { nullValues.add(data.get(i)); } else { values.add(new Pair<Comparable, Sample>((Comparable) pvalue, data.get(i))); } } Collections.sort(values, new Comparator<Pair<Comparable, Sample>>() { @Override public int compare(Pair<Comparable, Sample> o1, Pair<Comparable, Sample> o2) { if (o1.getFirst() instanceof Long && o2.getFirst() instanceof Integer) { Long l = new Long((Integer) o2.getFirst()); return o1.getFirst().compareTo(l); } if (o2.getFirst() instanceof Long && o1.getFirst() instanceof Integer) { Long l = new Long((Integer) o1.getFirst()); return l.compareTo((Long) o2.getFirst()); } return o1.getFirst().compareTo(o2.getFirst()); } }); double stdDevNull = stdDev(nullValues); for (int i = 0; i < values.size(); i++) { Comparable value = values.get(i).getFirst(); if (attr.domain instanceof IntegerDomain || attr.domain instanceof RealDomain) { if (i == values.size() -1) continue; while (i + 1 < values.size() && values.get(i+1).getFirst().equals(value)) i++; List<Sample> first = new ArrayList<Sample>(); List<Sample> last = new ArrayList<Sample>(); for (int j = 0; j <= i; j++) { first.add(values.get(j).getSecond()); } for (int j = i+1; j < values.size(); j++) { last.add(values.get(j).getSecond()); } double stdDevFirst = stdDev(first); double stdDevLast = stdDev(last); int n = first.size() + last.size() + nullValues.size(); double tmpStdDev = 0.; if (first.size() > 0) { tmpStdDev += (first.size() / (double) n)*stdDevFirst; } if (last.size() > 0) { tmpStdDev += (last.size() / (double) n)*stdDevLast; } if (nullValues.size() > 0) { tmpStdDev += (nullValues.size() / (double) n)*stdDevNull; } double tmpStdDevReduction = stddev - tmpStdDev; if (tmpStdDevReduction > eps && tmpStdDevReduction > stdDevReduction) { resAttr = attr; resFirst = first; resLast = last; resNull = nullValues; resValue = attr.domain.getMidValueOrNull(values.get(i).getFirst(), values.get(i).getSecond()); if (resValue == null) { resValue = values.get(i).getFirst(); } stdDevReduction = tmpStdDevReduction; resStdDevFirst = stdDevFirst; resStdDevLast = stdDevLast; resStdDevNull = stdDevNull; } } else { int index_start = i; int index_end = i; while (i + 1 < values.size() && values.get(i+1).getFirst().equals(value)) { i++; index_end++; } List<Sample> first = new ArrayList<Sample>(); List<Sample> last = new ArrayList<Sample>(); for (int j = 0; j < index_start; j++) { last.add(values.get(j).getSecond()); } for (int j = index_end+1; j < values.size(); j++) { last.add(values.get(j).getSecond()); } for (int j = index_start; j <= index_end; j++) { first.add(values.get(j).getSecond()); } double stdDevFirst = stdDev(first); double stdDevLast = stdDev(last); int n = first.size() + last.size() + nullValues.size(); double tmpStdDev = 0.; if (first.size() > 0) { tmpStdDev += (first.size() / (double) n)*stdDevFirst; } if (last.size() > 0) { tmpStdDev += (last.size() / (double) n)*stdDevLast; } if (nullValues.size() > 0) { tmpStdDev += (nullValues.size() / (double) n)*stdDevNull; } double tmpStdDevReduction = stddev - tmpStdDev; if (tmpStdDevReduction > eps && tmpStdDevReduction > stdDevReduction) { resAttr = attr; resFirst = first; resLast = last; resNull = nullValues; resValue = attr.domain.getMidValueOrNull(values.get(i).getFirst(), values.get(i).getSecond()); if (resValue == null) { resValue = values.get(i).getFirst(); } stdDevReduction = tmpStdDevReduction; resStdDevFirst = stdDevFirst; resStdDevLast = stdDevLast; resStdDevNull = stdDevNull; } } } } //System.err.println("STDDEVREDUCTION = " + stdDevReduction); return new SplitAttribute(stdDevReduction, resFirst, resLast, resNull, resAttr, resValue, resStdDevFirst, resStdDevLast, resStdDevNull); } private void initializeNode(Node node, Domain[] domains) { List<Sample> results = node.results; if (results.isEmpty()) { throw new IllegalArgumentException("results.isEmpty() is true"); } SplitAttribute sa = findOptimalSplitAttribute(node.stddev, results); if (sa.attr == null) { return; } if (sa.firstValues.isEmpty() || sa.lastValues.isEmpty()) { System.out.println("ERROR EMPTY RED " + sa.stdDevReduction); } // node.param = sp.param; Domain attributeDomain = domains[sa.attr.index]; if (attributeDomain instanceof IntegerDomain) { Integer split = null; if (sa.value instanceof Long) { split = Integer.valueOf(String.valueOf((Long)sa.value)); } else { split = (Integer) sa.value; } IntegerDomain iParamDomain = (IntegerDomain) attributeDomain; IntegerDomain leftNodeDomain = new IntegerDomain(iParamDomain.getLow(), split); IntegerDomain rightNodeDomain = new IntegerDomain(split, iParamDomain.getHigh()); node.left = new IntegerDomainNode(sa.attr, leftNodeDomain); node.right = new IntegerDomainNode(sa.attr, rightNodeDomain); } else if (attributeDomain instanceof RealDomain) { Double split; if (sa.value instanceof Float) { split = ((Float) sa.value).doubleValue(); } else if (sa.value instanceof Double) { split = (Double) sa.value; } else { throw new IllegalArgumentException("Wrong class for real domain: " + sa.value.getClass()); } RealDomain dParamDomain = (RealDomain) attributeDomain; RealDomain leftNodeDomain = new RealDomain(dParamDomain.getLow(), split); RealDomain rightNodeDomain = new RealDomain(split, dParamDomain.getHigh()); node.left = new RealDomainNode(sa.attr, leftNodeDomain); node.right = new RealDomainNode(sa.attr, rightNodeDomain); } else if (attributeDomain instanceof OrdinalDomain) { // TODO: "real" split instead of equality of a single value? It's ordinal! String value = (String) sa.value; OrdinalDomain oParamDomain = (OrdinalDomain) attributeDomain; List<String> leftValues = new ArrayList<String>(); leftValues.add(value); List<String> rightValues = new ArrayList<String>(); for (String val : oParamDomain.getOrdered_list()) { if (!val.equals(value)) { rightValues.add(val); } } OrdinalDomain leftNodeDomain = new OrdinalDomain(leftValues); OrdinalDomain rightNodeDomain = new OrdinalDomain(rightValues); node.left = new ValuesNode(sa.attr, leftNodeDomain); node.right = new ValuesNode(sa.attr, rightNodeDomain); } else if (attributeDomain instanceof CategoricalDomain) { String value = (String) sa.value; CategoricalDomain cParamDomain = (CategoricalDomain) attributeDomain; Set<String> leftValues = new HashSet<String>(); leftValues.add(value); Set<String> rightValues = new HashSet<String>(); for (String val : cParamDomain.getCategories()) { if (!val.equals(value)) { rightValues.add(val); } } CategoricalDomain leftNodeDomain = new CategoricalDomain(leftValues); CategoricalDomain rightNodeDomain = new CategoricalDomain(rightValues); node.left = new ValuesNode(sa.attr, leftNodeDomain); node.right = new ValuesNode(sa.attr, rightNodeDomain); } else { // TODO: add flag, mixed, optional domain! throw new IllegalArgumentException("Domain: " + attributeDomain + " currently not supported."); } node.left.results = sa.firstValues; node.left.stddev = sa.stdDevFirst; node.right.results = sa.lastValues; node.right.stddev = sa.stdDevLast; node.nullNode = new NullNode(sa.attr); node.nullNode.results = sa.nullValues; node.nullNode.stddev = sa.stdDevNull; node.results.clear(); } private class SearchResult { Set<ParameterConfiguration> configs; List<Pair<Parameter, Domain>> parameters; Set<Integer> instanceIds; List<Parameter> parametersSorted; double stddev; double cost; public SearchResult(Set<ParameterConfiguration> configs, List<Pair<Parameter, Domain>> parameters, Set<Integer> instanceIds, List<Parameter> parametersSorted, double stddev, double cost) { this.configs = configs; this.parameters = parameters; this.instanceIds = instanceIds; this.parametersSorted = parametersSorted; this.stddev = stddev; this.cost = cost; } } /*private SearchResult mergeSearchResults(SearchResult sr1, SearchResult sr2) { if (sr1 == null) return sr2; if (sr2 == null) return sr1; Set<ParameterConfiguration> configs = new HashSet<ParameterConfiguration>(); List<Pair<Parameter, Domain>> parameters = new ArrayList<Pair<Parameter, Domain>>(); Set<Integer> instanceIds = new HashSet<Integer>(); configs.addAll(sr1.configs); configs.addAll(sr2.configs); parameters.addAll(sr1.parameters); parameters.addAll(sr2.parameters); instanceIds.addAll(sr1.instanceIds); instanceIds.addAll(sr2.instanceIds); return new SearchResult(configs, parameters, instanceIds); }*/ private List<SearchResult> getDomainOrNull(Node node, double stddev, Domain[] domains, List<Integer> parameter_indexes) { List<SearchResult> res = new LinkedList<SearchResult>(); if (node.left == null && node.right == null && node.nullNode == null) { if (node.results.size() <= max_results || node.stddev > stddev) { List<Pair<Parameter, Domain>> parameters = new ArrayList<Pair<Parameter, Domain>>(); for (int i = 0; i < params.size(); i++) { parameters.add(new Pair<Parameter, Domain>(params.get(i), domains[i])); } Set<Integer> instanceIds = new HashSet<Integer>(); for (Object o : domains[domains.length-1].getDiscreteValues()) { Integer i = (Integer) o; instanceIds.add(i); } Set<ParameterConfiguration> configs = new HashSet<ParameterConfiguration>(); List<ExperimentResult> tmp = new LinkedList<ExperimentResult>(); for (Sample s : node.results) { configs.add(s.config); tmp.addAll(s.results); } List<Parameter> sortedParams = new LinkedList<Parameter>(); for (int p_index: parameter_indexes) { sortedParams.add(params.get(p_index)); } res.add(new SearchResult(configs, parameters, instanceIds, sortedParams, node.stddev, func.calculateCost(tmp))); } return res; } if (node.left != null) { // save old domain for backtracking Domain tmpDomain = null; int p_index = -1; if (node.left.domain != null) { p_index = node.left.attr.index; tmpDomain = domains[p_index]; domains[p_index] = node.left.domain; parameter_indexes.add(p_index); } res.addAll(getDomainOrNull(node.left, stddev, domains, parameter_indexes)); /*if (result != null && result.stddev >= stddev) { return result; }*/ // backtracking if (node.left.domain != null) { domains[p_index] = tmpDomain; parameter_indexes.remove(parameter_indexes.size()-1); } } if (node.right != null) { // save old domain for backtracking Domain tmpDomain = null; int p_index = -1; if (node.right.domain != null) { p_index = node.right.attr.index; tmpDomain = domains[p_index]; domains[p_index] = node.right.domain; parameter_indexes.add(p_index); } res.addAll(getDomainOrNull(node.right, stddev, domains, parameter_indexes)); /*if (result != null && result.stddev >= stddev) { return result; }*/ // backtracking if (node.right.domain != null) { domains[p_index] = tmpDomain; parameter_indexes.remove(parameter_indexes.size()-1); } } if (node.nullNode != null) { res.addAll(getDomainOrNull(node.nullNode, stddev, domains, parameter_indexes)); /*if (result != null && result.stddev >= stddev) { return result; }*/ } /*if (result == null || result.stddev < stddev) { return null; }*/ return res; } public List<QueryResult> query(double beta) { if (beta == -1) { beta = alpha; } Domain[] domains = new Domain[params.size() + instanceProperties.size() + 1]; int d_index = 0; attributes = new ArrayList<Attribute>(); for (Parameter p : params) { attributes.add(new Attribute(p, p.getDomain(), d_index)); domains[d_index++] = p.getDomain(); } for (int i = 0; i < instanceProperties.size(); i++) { attributes.add(new Attribute(instanceProperties.get(i), instancePropertyDomains.get(i), d_index)); domains[d_index++] = instancePropertyDomains.get(i); } attributes.add(new Attribute(new SampleValueType("instanceId"), instanceIdDomain, d_index)); domains[d_index++] = instanceIdDomain; List<QueryResult> res = new LinkedList<QueryResult>(); List<SearchResult> sr = getDomainOrNull(root, beta, domains, new LinkedList<Integer>()); for (SearchResult s : sr) { res.add(new QueryResult (s.configs, s.parameters, s.instanceIds, s.parametersSorted, s.stddev, s.cost)); } /*if (sr == null) { return null; }*/ return res; } public class QueryResult { public Set<ParameterConfiguration> configs; public List<Pair<Parameter, Domain>> parameterDomains; public Set<Integer> instanceIds; public List<Parameter> parametersSorted; public double stddev; public double cost; public QueryResult(Set<ParameterConfiguration> configs, List<Pair<Parameter, Domain>> parameterDomains, Set<Integer> instanceIds, List<Parameter> parametersSorted, double stddev, double cost) { this.configs = configs; this.parameterDomains = parameterDomains; this.instanceIds = instanceIds; this.parametersSorted = parametersSorted; this.stddev = stddev; this.cost = cost; } } public Double getCost(ParameterConfiguration config, int instanceId) throws NoConnectionToDBException, PropertyNotInDBException, PropertyTypeNotExistException, ComputationMethodDoesNotExistException, InstanceClassMustBeSourceException, SQLException, IOException, InstanceHasPropertyNotInDBException { List<ExperimentResult> results = getResults(config, instanceId); if (results.size() == 0) return null; return func.calculateCost(results); } public List<ExperimentResult> getResults(ParameterConfiguration config, int instanceId) throws NoConnectionToDBException, PropertyNotInDBException, PropertyTypeNotExistException, ComputationMethodDoesNotExistException, InstanceClassMustBeSourceException, SQLException, IOException, InstanceHasPropertyNotInDBException { Node curNode = root; Map<Parameter, Object> paramValues = config.getParameter_instances(); Comparable[] parameterValues = new Comparable[params.size()]; for (int i = 0; i < params.size(); i++) { parameterValues[i] = (Comparable) config.getParameterValue(params.get(i)); } Comparable[] instancePropertyValues = new Comparable[instanceProperties.size()]; for (int i = 0; i < instanceProperties.size(); i++) { InstanceHasProperty ihp = InstanceDAO.getById(instanceId).getPropertyValues().get(instanceProperties.get(i).getId());//InstanceHasPropertyDAO.getByInstanceAndProperty(InstanceDAO.getById(instanceId), instanceProperties.get(i)); try { instancePropertyValues[i] = (Comparable) instanceProperties.get(i).getPropertyValueType().getJavaTypeRepresentation(ihp.getValue()); } catch (Exception ex) { instancePropertyValues[i] = null; } } Sample sample = new Sample(config, parameterValues, instancePropertyValues, null, instanceId); List<ExperimentResult> res = new ArrayList<ExperimentResult>(); while (curNode.left != null || curNode.right != null || curNode.nullNode != null) { boolean found = false; if (curNode.left != null) { Attribute attr = curNode.left.attr; if (curNode.left.domain.contains(sample.getValue(attr))) { curNode = curNode.left; found = true; } } if (!found && curNode.right != null) { Attribute attr = curNode.right.attr; if (curNode.right.domain.contains(sample.getValue(attr))) { curNode = curNode.right; found = true; } } if (!found && curNode.nullNode != null) { if (sample.getValue(curNode.nullNode.attr) == null) { curNode = curNode.nullNode; found = true; } } if (!found) return res; } if (curNode.results.size() == 0) return res; for (Sample s : curNode.results) { res.addAll(s.results); } return res; } private abstract class Node { Attribute attr; double stddev; Node left, right; Node nullNode; List<Sample> results; Domain domain; Domain[] domains; public Node(Attribute attr, Domain domain) { this.left = null; this.right = null; this.nullNode = null; this.stddev = Double.NaN; this.attr = attr; this.domain = domain; results = new ArrayList<Sample>(); domains = null; } public abstract boolean contains(Object value); } private class IntegerDomainNode extends Node { IntegerDomain domain; public IntegerDomainNode(Attribute attr, IntegerDomain domain) { super(attr, domain); this.domain = domain; } @Override public String toString() { return "[Integer (" + (attr == null ? "leaf" : attr.toString()) + "): " + domain.toString() + "]"; } @Override public boolean contains(Object value) { if (value == null) { throw new IllegalArgumentException(); } if (value instanceof Integer) { return domain.contains(value); } else { throw new IllegalArgumentException("Method contains() not applicable to class " + value.getClass()); } } } private class RealDomainNode extends Node { RealDomain domain; public RealDomainNode(Attribute attr, RealDomain domain) { super(attr, domain); this.domain = domain; } @Override public String toString() { return "[Real (" + (attr == null ? "leaf" : attr.toString()) + "): " + domain.toString() + "]"; } @Override public boolean contains(Object value) { if (value == null) { throw new IllegalArgumentException(); } if (value instanceof Double) { return domain.contains(value); } else { throw new IllegalArgumentException("Method contains() not applicable to class " + value.getClass()); } } } private class ValuesNode extends Node { Domain domain; public ValuesNode(Attribute attr, Domain domain) { super(attr, domain); this.domain = domain; } @Override public String toString() { return "[Values (" + (attr == null ? "leaf" : attr.toString()) + ")]"; } @Override public boolean contains(Object o) { return domain.contains(o); } } private class NullNode extends Node { public NullNode(Attribute attr) { super(attr, null); } @Override public String toString() { if (this == root) { return "[root]"; } return "[NullNode (" + (attr == null ? "leaf" : attr.toString()) + ")]"; } @Override public boolean contains(Object value) { return value == null; } } private class SplitAttribute { double stdDevReduction = 0.; List<Sample> firstValues = null; List<Sample> lastValues = null; List<Sample> nullValues = null; Attribute attr = null; Object value = null; double stdDevFirst, stdDevLast, stdDevNull; public SplitAttribute(double stdDevReduction, List<Sample> firstValues, List<Sample> lastValues, List<Sample> nullValues, Attribute attr, Object value, double stdDevFirst, double stdDevLast, double stdDevNull) { this.stdDevReduction = stdDevReduction; this.firstValues = firstValues; this.lastValues = lastValues; this.nullValues = nullValues; this.attr = attr; this.value = value; this.stdDevFirst = stdDevFirst; this.stdDevLast = stdDevLast; this.stdDevNull = stdDevNull; } } private class Sample { ParameterConfiguration config; Comparable[] parameterValues; Comparable[] instancePropertyValues; Instance instance; List<ExperimentResult> results; double cost; int instanceId; public Sample(ParameterConfiguration config, Comparable[] parameterValues, Comparable[] instancePropertyValues, List<ExperimentResult> results, int instanceId) { this.config = config; this.parameterValues = parameterValues; this.instancePropertyValues = instancePropertyValues; this.results = results; if (results != null) { this.cost = func.calculateCost(results); } else { this.cost = 0.f; } this.instanceId = instanceId; } public Object getValue(Attribute p) { if (p.attribute instanceof Parameter) { return parameterValues[p.index]; } else if (p.attribute instanceof Property) { return instancePropertyValues[p.index - params.size()]; } else if (p.attribute instanceof SampleValueType) { String type = ((SampleValueType) p.attribute).name; if ("instanceId".equals(type)) { return instanceId; } else { throw new IllegalArgumentException("Unknown SampleValueType: " + type); } } else { throw new IllegalArgumentException("Can't return values for class " + p.getClass()); } } } private class SampleValueType { String name; public SampleValueType(String name) { this.name = name; } @Override public String toString() { return "[SVT: " + name + "]"; } } private class Attribute { Domain domain; Object attribute; int index; public Attribute(Object attribute, Domain domain, int index) { if (attribute instanceof Property || attribute instanceof Parameter || attribute instanceof SampleValueType) { this.attribute = attribute; this.domain = domain; this.index = index; } else { throw new IllegalArgumentException("Wrong attribute type: " + attribute.getClass()); } } @Override public String toString() { return attribute.toString(); } } private class InstanceIdSort implements Comparator<ExperimentResult> { @Override public int compare(ExperimentResult arg0, ExperimentResult arg1) { return arg0.getInstanceId() - arg1.getInstanceId(); } } /*Collections.sort(results, new Comparator<Pair<ParameterConfiguration, List<ExperimentResult>>>() { @Override public int compare(Pair<ParameterConfiguration, List<ExperimentResult>> o1, Pair<ParameterConfiguration, List<ExperimentResult>> o2) { Object first = o1.getFirst().getParameterValue(p); Object second = o2.getFirst().getParameterValue(p); if (first instanceof Float) { Float f1 = (Float) first; Float f2 = (Float) second; if (f1 < f2) return -1; else if (f1 > f2) return 1; else return 0; } else if (first instanceof Integer) { Integer f1 = (Integer) first; Integer f2 = (Integer) second; if (f1 < f2) return -1; else if (f1 > f2) return 1; else return 0; } else if (first instanceof Double) { Double f1 = (Double) first; Double f2 = (Double) second; if (f1 < f2) return -1; else if (f1 > f2) return 1; else return 0; } else { throw new IllegalArgumentException(); } } });*/ public int printDotNodeDescription(Node node, int nodenum, BufferedWriter br) throws Exception { String name = "null"; name = node.toString(); if (node.left == null) { List<ExperimentResult> results = new ArrayList<ExperimentResult>(); for (Sample sample : node.results) results.addAll(sample.results); name += " cost: " + func.calculateCost(results) + " numResults: " + results.size(); } name += ", " + node.stddev; br.write("N" + nodenum + " [label=\"" + name + "\"];\n"); int nextNode = nodenum+1; if (node.left != null) { int nn = nextNode; nextNode = printDotNodeDescription(node.left, nextNode, br); br.write("N" + nodenum + " -- N" + nn + ";\n"); nn = nextNode; nextNode = printDotNodeDescription(node.right, nextNode, br); br.write("N" + nodenum + " -- N" + nn + ";\n"); if (!node.nullNode.results.isEmpty()) { nn = nextNode; nextNode = printDotNodeDescription(node.nullNode, nextNode, br); br.write("N" + nodenum + " -- N" + nn + ";\n"); } } return nextNode; } public void printDot(File file) throws Exception { BufferedWriter br = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(file))); br.write("graph g {\n"); printDotNodeDescription(root, 1, br); br.write("}\n"); br.close(); } public static void main(String[] args) throws Exception { if (args.length < 9) { System.out.println("Parameters: <host> <port> <username> <password> <db> <expid1,expid2,.. (first expid (must be config exp) will be used for parameters etc.)> <numscs -1 == unlimited> <use timeout results> <action = query/code> [<instance property 1> <instance property 2> ...]"); return; } int numscs = Integer.MAX_VALUE; String host = args[0]; int port = Integer.valueOf(args[1]); String username = args[2]; String password = args[3]; String db = args[4]; List<Integer> expids = new ArrayList<Integer>(); for (String s : args[5].split(",")) { expids.add(Integer.valueOf(s)); } if (expids.isEmpty()) { expids.add(Integer.valueOf(args[5])); } numscs = Integer.valueOf(args[6]); boolean use_timeout_results = Boolean.parseBoolean(args[7]); String action = args[8]; if (numscs < 0) { numscs = Integer.MAX_VALUE; } ArrayList<String> instancePropertyNames = new ArrayList<String>(); for (int i = 9; i < args.length; i++) { instancePropertyNames.add(args[i]); } API api = new APIImpl(); api.connect(host, port, db, username, password, true); InstanceDAO.getAll(); List<SolverConfiguration> scs = new ArrayList<SolverConfiguration>(); for (int expid : expids) { scs.addAll(SolverConfigurationDAO.getSolverConfigurationByExperimentId(expid)); } ArrayList<Pair<ParameterConfiguration, List<ExperimentResult>>> trainData = new ArrayList<Pair<ParameterConfiguration, List<ExperimentResult>>>(); int numRuns = 0; int numScs = 0; int cur = 0; for (SolverConfiguration sc : scs) { System.err.println((++cur) + "/" + scs.size()); ParameterConfiguration pc = api.getParameterConfiguration(sc.getExperiment_id(), sc.getId()); List<ExperimentResult> results = ExperimentResultDAO.getAllBySolverConfiguration(sc); if (!use_timeout_results) { for (int i = results.size() - 1; i >= 0; i--) { if (!String.valueOf(results.get(i).getResultCode().getResultCode()).startsWith("1")) { results.remove(i); } } } if (results.isEmpty()) continue; trainData.add(new Pair<ParameterConfiguration, List<ExperimentResult>>(pc, results)); numScs++; numRuns += results.size(); if (numScs > numscs) break; } //System.out.println("" +stdDev(trainData,new Average())); System.err.println("Num SCs: " + numScs); System.err.println("Num Runs: " + numRuns); ParameterGraph graph = api.loadParameterGraphFromDB(expids.get(0)); List<Parameter> params = new ArrayList<Parameter>(); params.addAll(graph.getParameterSet()); if (action.equals("query")) { queryTree(api, graph, expids.get(0), trainData, params, instancePropertyNames); } else if (action.equals("source")) { writeSolverCode(trainData, params, instancePropertyNames); } } public static void queryTree(API api, ParameterGraph graph, int expid, List<Pair<ParameterConfiguration, List<ExperimentResult>>> trainData, List<Parameter> params, ArrayList<String> instancePropertyNames) throws Exception { System.err.println("Generating random tree.."); DecisionTree rt = new DecisionTree(new Random(), new Average(Experiment.Cost.resultTime, true), 2.5, 8, trainData, params, instancePropertyNames, true); System.err.println("Done."); //rt.printDot(); BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); String line; while (true) { ParameterConfiguration config = graph.getRandomConfiguration(new Random()); for (Parameter p : api.getConfigurableParameters(expid)) { System.out.println("Value for " + p.getName()); line = br.readLine(); if (line == null) break; if (p.getDomain() instanceof IntegerDomain) { config.setParameterValue(p, Integer.valueOf(line)); } else if (p.getDomain() instanceof RealDomain) { config.setParameterValue(p, Double.valueOf(line)); } else { config.setParameterValue(p, line); } } System.out.println("Instance id"); line = br.readLine(); if (line == null) break; int instanceId = Integer.valueOf(line); List<ExperimentResult> results = rt.getResults(config, instanceId); //for (ExperimentResult result : results) { // System.out.println("" + result.getResultTime()); //} System.out.println("" + results.size() + " results with cost (avg): " + new Average(Experiment.Cost.resultTime, true).calculateCost(results)); } } public static void writeSolverCode(BufferedWriter bw, Node node, HashMap<String, String> parameterVariables, HashMap<String, String> instancePropertyVariables, List<Parameter> params, int level) throws Exception { if (node.left == null) { // leaf // /*List<Pair<ParameterConfiguration, List<ExperimentResult>>> trainData = new ArrayList<Pair<ParameterConfiguration, List<ExperimentResult>>>(); for (Sample s : node.results) { trainData.add(new Pair<ParameterConfiguration, List<ExperimentResult>>(s.config, s.results)); } System.out.println("RESULTS SIZE: " + node.results.size()); if (node.results.size() == 0) { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("// result bucket was empty..\n"); return; } CostFunction func = new PARX(10); RandomTree paramTree = new RandomTree(new Random(), func, 0.5, 8, trainData, params, new ArrayList<String>(), false); Node paramNode = null; float cost = Float.MAX_VALUE; for (Node n : paramTree.leafNodes) { List<ExperimentResult> results = new ArrayList<ExperimentResult>(); for (Sample s : n.results) { results.addAll(s.results); } if (results.isEmpty()) continue; float tmpCost = func.calculateCost(results); if (tmpCost < cost) { paramNode = n; cost = tmpCost; } }*/ boolean error = false; CostFunction func = new Average(Experiment.Cost.resultTime, true); double minCost = Double.MAX_VALUE; ParameterConfiguration config = null; for (Sample s: node.results) { //float tmpCost = func.calculateCost(s.results); double tmpCost = s.results.size(); double numSolved = 0.f; for (ExperimentResult er : s.results) { if (String.valueOf(er.getResultCode().getResultCode()).startsWith("1")) { numSolved = numSolved + 1.f; } } tmpCost = - (numSolved/tmpCost); if (tmpCost < minCost) { minCost = tmpCost; config = s.config; } } List<ParameterConfiguration> paramConfigs = new ArrayList<ParameterConfiguration>(); paramConfigs.add(config); for (Sample s: node.results) { if (func.calculateCost(s.results) < 2*minCost) { paramConfigs.add(s.config); } } for (int i = 0; i < params.size(); i++) { Parameter p = params.get(i); /*Domain d = paramNode.domains[i]; float minCost = Float.MAX_VALUE; Object value = null; for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"Possible costs are: "); for (Sample s : paramNode.results) { float tmpCost = func.calculateCost(s.results); bw.write("" + tmpCost + ", "); if (tmpCost < minCost) { minCost = tmpCost; value = s.config.getParameterValue(p); } } bw.write("\" << endl;\n");*/ for (int k = 0; k < level; k++) bw.write('\t'); for (ParameterConfiguration c : paramConfigs) { } Object value = config.getParameterValue(p); if (value != null) { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("*" + parameterVariables.get(p.getName()) + " = " + value + ";\n"); } else { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("// TODO: did not find a value?\n"); error = true; } /*if (d instanceof IntegerDomain) { IntegerDomain id = (IntegerDomain) d; int hi = id.getLow(); int lo = id.getHigh(); for (Sample s : paramNode.results) { if ((Integer) s.config.getParameterValue(p) < lo) lo = (Integer) s.config.getParameterValue(p); if ((Integer) s.config.getParameterValue(p) > hi) hi = (Integer) s.config.getParameterValue(p); } int range = hi - lo +1; if (range == 1) { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("*"+parameterVariables.get(p.getName()) + " = " + lo + ";\n"); } else { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("*"+parameterVariables.get(p.getName()) + " = (rand() % " + range + ") + " + lo + ";\n"); } for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"c range for " + p.getName() + " is \" << " + range + " << endl;\n"); for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"Domain is " + d + "\" << endl;\n"); for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"Restricted domain is [" + lo + "," + hi + "]\" << endl;\n"); } else if (d instanceof RealDomain) { RealDomain rd = (RealDomain) d; double hi = rd.getLow(); double lo = rd.getHigh(); for (Sample s : paramNode.results) { if ((Double) s.config.getParameterValue(p) < lo) lo = (Double) s.config.getParameterValue(p); if ((Double) s.config.getParameterValue(p) > hi) hi = (Double) s.config.getParameterValue(p); } double range = hi - lo; for (int k = 0; k < level; k++) bw.write('\t'); bw.write("*" + parameterVariables.get(p.getName()) + " = ((double)rand()/(double)RAND_MAX) * " + range + " + " + lo + ";\n"); for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"c range for " + p.getName() + " is \" << " + range + " << endl;\n"); for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"Domain is " + d + "\" << endl;\n"); for (int k = 0; k < level; k++) bw.write('\t'); bw.write("cout << \"Restricted domain is [" + lo + "," + hi + "]\" << endl;\n"); } else { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("// TODO: implement for domain " + d + "\n"); error = true; }*/ } if (!error) { for (int k = 0; k < level; k++) bw.write('\t'); bw.write("found = 1;\n"); } } else { Attribute attr = node.left.attr; Domain d = node.left.domain; Property p = (Property) attr.attribute; for (int i = 0; i < level; i++) bw.write('\t'); if (d instanceof IntegerDomain || d instanceof RealDomain) { Object split; if (d instanceof IntegerDomain) { split = ((IntegerDomain) d).getHigh(); } else { split = ((RealDomain) d).getHigh(); } bw.write("if (" + instancePropertyVariables.get(p.getName()) + " <= " + split + ") {\n"); writeSolverCode(bw, node.left, parameterVariables, instancePropertyVariables, params, level+1); for (int i = 0; i < level; i++) bw.write('\t'); bw.write("} else {\n"); writeSolverCode(bw, node.right, parameterVariables, instancePropertyVariables, params, level+1); for (int i = 0; i < level; i++) bw.write('\t'); bw.write("}\n"); } else { // TODO: implement throw new IllegalArgumentException("Domain " + d + " currently not supported!"); } } } /** * * @param file * @param trainData * @param params * @throws Exception */ public static void writeSolverCode(List<Pair<ParameterConfiguration, List<ExperimentResult>>> trainData, List<Parameter> params, List<String> instanceProperties) throws Exception { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); String line; System.out.println("Filename?"); line = br.readLine(); br.close(); File file = new File(line); BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(file))); DecisionTree instancePropertyTree = new DecisionTree(new Random(), new Average(Experiment.Cost.resultTime, true), 0.5, 20, trainData, new ArrayList<Parameter>(), instanceProperties, false); File dotFile = new File("./test.dot"); instancePropertyTree.printDot(dotFile); HashMap<String, String> instancePropertyVariables = new HashMap<String, String>(); HashMap<String, String> parameterVariables = new HashMap<String, String>(); bw.write("\t/**\n\t*\n"); int vcounter = 0; for (Property ip : instancePropertyTree.instanceProperties) { bw.write("\t* @param ip_" + vcounter + " input: instance property " + ip.getName() + "\n"); instancePropertyVariables.put(ip.getName(), "ip_" + (vcounter++)); } vcounter = 0; for (Parameter p : params) { bw.write("\t* @param param_" + vcounter + " output: parameter " + p.getName() + "\n"); parameterVariables.put(p.getName(), "param_" + (vcounter++)); } bw.write("\t*/\n"); bw.write("\tint findParameterValues("); for (int i = 0; i < instancePropertyTree.instanceProperties.size(); i++) { Property p = instancePropertyTree.instanceProperties.get(i); Domain d = instancePropertyTree.instancePropertyDomains.get(i); String type = "char*"; if (d instanceof IntegerDomain) { type = "int"; } else if (d instanceof RealDomain) { type = "double"; } bw.write(type + " " + instancePropertyVariables.get(p.getName()) + ", "); } int i = 0; for (Parameter p : params) { String type = "char**"; if (p.getDomain() instanceof IntegerDomain) { type = "int*"; } else if (p.getDomain() instanceof RealDomain) { type = "double*"; } bw.write(type + " " + parameterVariables.get(p.getName()) + (i != params.size()-1 ? ", " : "")); i++; } bw.write(") {\n"); bw.write("\tint found = 0;\n"); writeSolverCode(bw, instancePropertyTree.root, parameterVariables, instancePropertyVariables, params, 2); bw.write("\treturn !found;\n"); bw.write("\t}\n"); bw.close(); } }
{ "content_hash": "894a9d08052050161e1df0c66e9bc5f3", "timestamp": "", "source": "github", "line_count": 1480, "max_line_length": 431, "avg_line_length": 35.27567567567568, "alnum_prop": 0.6424111247318418, "repo_name": "EDACC/edacc_aac", "id": "51d92418697ae222aa2d400eab84151a4c474177", "size": "52208", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/edacc/configurator/aac/search/ibsutils/DecisionTree.java", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "1145" }, { "name": "Java", "bytes": "927857" }, { "name": "JavaScript", "bytes": "696" }, { "name": "Perl", "bytes": "1148" }, { "name": "R", "bytes": "2978" }, { "name": "Ruby", "bytes": "741" } ], "symlink_target": "" }
.. _guide_WPS: WPS design ========== .. contents:: :local: :depth: 1 Setting up a new WPS ==================== If you are familiar with all the upper chapters you are ready to create your own WPS. The WPS in birdhouse are named after birds, so this section is giving you a guidline of how to make your own bird. Birds are sorted thematically, so before setting up a new one, make sure it is not already covered and just missing some processes and be clear in the new thematic you would like to provide. There is a Cookiecutter_ template to create a new bird (PyWPS application). It is the recommended and fastest way to create your own bird: .. gittoctree:: https://github.com/bird-house/cookiecutter-birdhouse.git docs/source/dev_guide.rst .. gitinclude:: https://github.com/bird-house/cookiecutter-birdhouse/blob/master/%7B%7Bcookiecutter.project_repo_name%7D%7D/docs/source/dev_guide.rst .. _writing_WPS_process: Writing a WPS process ..................... In birdhouse, we are using the PyWPS_ implementation of a :term:`Web Processing Service`. Please read the `PyWPS documentation <https://pywps.readthedocs.io/en/master/process.html>`_ on how to implement a WPS process. .. note:: To get started quickly, you can try the Emu_ WPS with some example processes for PyWPS. .. image:: _images/process_schema_1.png Another point to think about when designing a process is the possibility of chaining processes together. The result of a process can be a final result or be used as an input for another process. Chaining processes is a common practice but depends on the user you are designing the service for. Technically, for the development of WPS process chaining, here are a few summary points: * the functional code should be modular and provide an interface/method for each single task * provide a wps process for each task * wps processes can be chained, manually or within the code, to run a complete workflow * wps chaining can be done manually, with workflow tools, direct wps chaining or with code scripts * a complete workflow chain could also be started by a wps process. .. image:: _images/wps_chain.png .. _writing_functions: Writing functions ................. A Process is calling several functions during the performance. Since WPS is a autonom running process several eventualities needs to be taken into account. If irregularities are occurring, it is a question of the process design if the performance should stop and return an error or continue with may be an modified result. In practice, the functions should be encapsulated in **try** and **except** calls and appropriate information given to the logfile or shown as a status message. The logger has several options to to influence the running code and the information writing to the logfile: .. image:: _images/module_chain.png .. code-block:: python :linenos: # the following two line needs to be in the beginning of the *.py file. # The ._handler will find the appropriate logfile and include timestemps # and module information into the log. import logging LOGGER = logging.getLogger("PYWPS") # set a status message per = 5 # 5 will be 5% in the status line response.update_status('execution started at : {}'.fromat(dt.now()), per) try: response.update_status('the process is doing something: {}'.fromat(dt.now()),10) result = 42 LOGGER.info('found the answer of life') except Exception as ex: msg = 'This failed but is obligatory for the output. The process stops now, because: {} '.format(ex) LOGGER.error(msg) try: response.update_status('the process is doing something else : {}'.fromat(dt.now()), 20) interesting = True LOGGER.info(' Thanks for reading the guidelines ') LOGGER.debug(' I need to know some details of the process: {} '.format(interesting) except Exception as ex: msg = 'This failed but is not obligatory for the output. The process will continue. Reason for the failure: {} '.format(ex) LOGGER.exception(msg) .. _writing_docs: Writing documentation ..................... Last but not least, a very very important point is to write a good documentation about your work! Each WPS (bird) has a docs folder for this where the documentation is written in reStructuredText_ and generated with Sphinx_. * http://sphinx-doc.org/tutorial.html * http://quick-sphinx-tutorial.readthedocs.io/en/latest/ The documentation is automatically published to ReadTheDocs_ with GitHub webhooks. It is important to keep the :ref:`codestyle` and write explanations to your functions. There is an auto-api for documentation of functions. .. todo:: explanation of enabling spinx automatic api documentation. The main `documentation`_ (which you are reading now) is the starting point to get an overview of birdhouse. Each birdhouse component comes with its own Sphinx documentation and is referenced by the main birdhouse document. Projects using birdhouse components like PAVICS_ or `COPERNICUS Data Store`_ generally have their own documentation as well. To include documentation from external repository here, two custom made sphinx directives can be used. The `gittoctree` directive behaves like a normal table of content directive (`toctree`), but takes as an argument the URL to the git repo and refers to files inside this directory through their full path. The `gitinclude` directive acts like an normal `include` directive, but takes as a first argument the URL to the git repo this file belongs to. For example: .. code-block:: sphinx :linenos: Here is the text of the birdhouse main documentation. At the place where you want to integrate a part of a remote sphinx documentation stored in a `git` repository you can fetch the docs parts and integrated it with a table of content referring to external files: .. gittoctree:: https://github.com/Ouranosinc/pavics-sdi.git docs/source/arch/backend.rst or include an individual file: .. gitinclude:: https://github.com/Ouranosinc/pavics-sdi.git docs/source/arch/backend.rst The directive will clone and checkout the repository, then include these external files as if they were part of the native documentation. .. _writing_tests: Writing tests ............. Writing tests is an essential part of software development. The WPS templates produced by Cookiecutter_ include the initial folders needed for units tests and basic dependencies in the environment. There are two parts of tests: * Unit tests: python pytest to check the functionality of functions and processes. They are stored in the folder `{bird WPS}/tests` and appropriate test data `{bird WPS}/tests/testdata`. * notebook tests: Code examples of the documentation to demonstrate the usage of WPS services. The examples are written in jupyter notebooks and stored in the documentation folder `{bird WPS}/docs/source/notebooks/` .. note:: Look at the Emu_ to see examples.
{ "content_hash": "71f6902b0658fa420d4db99108553ee5", "timestamp": "", "source": "github", "line_count": 148, "max_line_length": 668, "avg_line_length": 47.32432432432432, "alnum_prop": 0.7460022844089091, "repo_name": "bird-house/birdhouse-docs", "id": "7d1e9d8e3f0898604173647f5a0d35c00806b8b4", "size": "7004", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "docs/source/guide_WPS.rst", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "699" } ], "symlink_target": "" }
/* * To change this license header, choose License Headers in Project Properties. * To change this template file, choose Tools | Templates * and open the template in the editor. */ package vendinglab5; import org.junit.After; import org.junit.AfterClass; import org.junit.Before; import org.junit.BeforeClass; import org.junit.Test; import static org.junit.Assert.*; import junit.framework.TestCase; /** * * @author Dominique */ public class VendingTest { // public VendingItem vendingI; public class VendingLab5Test extends TestCase{ public void test1(){ assertTrue(3==3); } public void test2(){ assertFalse(3!=3); } /* public void test3(){ assertSame(balance,price); } */ public class VendTest extends TestCase { /*static*/Vending v = new Vending(5,5); public void setUp() { v.addMoney(1.5); } public void test2() { v.select("Gum"); assertTrue(v.getBalance()==1); } public void test3() { v.select("Candy"); assertTrue(v.getBalance()==.25); } } } public VendingTest() { } @BeforeClass public static void setUpClass() { //vendingI=new VendingItem(1,10); } @AfterClass public static void tearDownClass() { } @Before public void setUp() { } @After public void tearDown() { } /** * Test of resetBalance method, of class Vending. */ @Test public void testResetBalance() { System.out.println("resetBalance"); Vending instance = null; //instance.resetBalance(); // TODO review the generated test code and remove the default call to fail. //fail("The test case is a prototype."); } /** * Test of getBalance method, of class Vending. */ @Test public void testGetBalance() { System.out.println("getBalance"); Vending instance = null; double result=instance.getBalance(); /*VendingItem vendingI; vendingI=new VendingItem(1,10); vendingI.price=1; vendingI.numPieces=10; double expResult = 0.0; double result = vendingI.getBalance(); */ double expResult = 0.0; assertEquals(expResult, result, 0.0); // TODO review the generated test code and remove the default call to fail. //fail("The test case is a prototype."); } /** * Test of addMoney method, of class Vending. */ @Test public void testAddMoney() { System.out.println("addMoney"); double amt = 0.0; Vending instance = null; //instance.addMoney(amt); // TODO review the generated test code and remove the default call to fail. //fail("The test case is a prototype."); } /** * Test of select method, of class Vending. */ @Test public void testSelect() { System.out.println("select"); String name = ""; Vending instance = null; //instance.select(name); // TODO review the generated test code and remove the default call to fail. //fail("The test case is a prototype."); } }
{ "content_hash": "42ea5616bb141d873a701972b97dfad0", "timestamp": "", "source": "github", "line_count": 127, "max_line_length": 83, "avg_line_length": 27.04724409448819, "alnum_prop": 0.5534206695778748, "repo_name": "dbelhumeur/Lab5Monday", "id": "e6ceae2535c810aef954427e821d5d327cdac610", "size": "3435", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/vendinglab5/VendingTest.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "7093" } ], "symlink_target": "" }
/*! * @file * Netatalk utility functions * * Utility functions for these areas: \n * * sockets \n * * locking \n * * misc UNIX function wrappers, eg for getcwd */ #ifndef _ATALK_UTIL_H #define _ATALK_UTIL_H 1 #include <sys/cdefs.h> #include <sys/types.h> #ifdef HAVE_UNISTD_H #include <unistd.h> #endif /* HAVE_UNISTD_H */ #include <poll.h> #include <netatalk/at.h> #include <atalk/unicode.h> #include <atalk/bstrlib.h> /* exit error codes */ #define EXITERR_CLNT 1 /* client related error */ #define EXITERR_CONF 2 /* error in config files/cmd line parameters */ #define EXITERR_SYS 3 /* local system error */ /* Print a SBT and exit */ #define AFP_PANIC(why) \ do { \ netatalk_panic(why); \ abort(); \ } while(0); /* LOG assert errors */ #ifndef NDEBUG #define AFP_ASSERT(b) \ do { \ if (!(b)) { \ AFP_PANIC(#b); \ } \ } while(0); #else #define AFP_ASSERT(b) #endif /* NDEBUG */ #define STRCMP(a,b,c) (strcmp(a,c) b 0) #ifndef MAX #define MAX(a,b) ((a) > (b) ? a : b) #endif #ifndef MIN #define MIN(a,b) ((a) < (b) ? a : b) #endif #if BYTE_ORDER == BIG_ENDIAN #define hton64(x) (x) #define ntoh64(x) (x) #else /* BYTE_ORDER == BIG_ENDIAN */ #define hton64(x) ((uint64_t) (htonl(((x) >> 32) & 0xffffffffLL)) | \ (uint64_t) ((htonl(x) & 0xffffffffLL) << 32)) #define ntoh64(x) (hton64(x)) #endif /* BYTE_ORDER == BIG_ENDIAN */ #ifdef WITH_SENDFILE extern ssize_t sys_sendfile (int __out_fd, int __in_fd, off_t *__offset,size_t __count); #endif extern const int _diacasemap[], _dialowermap[]; extern char **getifacelist(void); extern void freeifacelist(char **); #define diatolower(x) _dialowermap[(unsigned char) (x)] #define diatoupper(x) _diacasemap[(unsigned char) (x)] #ifndef NO_DDP extern int atalk_aton (char *, struct at_addr *); #endif extern void bprint (char *, int); extern int strdiacasecmp (const char *, const char *); extern int strndiacasecmp (const char *, const char *, size_t); extern pid_t server_lock (char * /*program*/, char * /*file*/, int /*debug*/); extern int check_lockfile (const char *program, const char *pidfile); extern int create_lockfile(const char *program, const char *pidfile); extern void fault_setup (void (*fn)(void *)); extern void netatalk_panic(const char *why); #define server_unlock(x) (unlink(x)) /* strlcpy and strlcat are used by pam modules */ #ifndef UAM_MODULE_EXPORT #define UAM_MODULE_EXPORT #endif #ifndef HAVE_STRLCPY UAM_MODULE_EXPORT size_t strlcpy (char *, const char *, size_t); #endif #ifndef HAVE_STRLCAT UAM_MODULE_EXPORT size_t strlcat (char *, const char *, size_t); #endif #ifndef HAVE_DLFCN_H extern void *mod_open (const char *); extern void *mod_symbol (void *, const char *); extern void mod_close (void *); #define mod_error() "" #else /* ! HAVE_DLFCN_H */ #include <dlfcn.h> #ifndef RTLD_NOW #define RTLD_NOW 1 #endif /* ! RTLD_NOW */ /* NetBSD doesn't like RTLD_NOW for dlopen (it fails). Use RTLD_LAZY. * OpenBSD currently does not use the second arg for dlopen(). For * future compatibility we define DL_LAZY */ #ifdef __NetBSD__ #define mod_open(a) dlopen(a, RTLD_LAZY) #elif defined(__OpenBSD__) #define mod_open(a) dlopen(a, DL_LAZY) #else /* ! __NetBSD__ && ! __OpenBSD__ */ #define mod_open(a) dlopen(a, RTLD_NOW) #endif /* __NetBSD__ */ #ifndef DLSYM_PREPEND_UNDERSCORE #define mod_symbol(a, b) dlsym(a, b) #else /* ! DLSYM_PREPEND_UNDERSCORE */ extern void *mod_symbol (void *, const char *); #endif /* ! DLSYM_PREPEND_UNDERSCORE */ #define mod_error() dlerror() #define mod_close(a) dlclose(a) #endif /* ! HAVE_DLFCN_H */ /****************************************************************** * locking.c ******************************************************************/ extern int lock_reg(int fd, int cmd, int type, off_t offest, int whence, off_t len); #define read_lock(fd, offset, whence, len) \ lock_reg((fd), F_SETLK, F_RDLCK, (offset), (whence), (len)) #define write_lock(fd, offset, whence, len) \ lock_reg((fd), F_SETLK, F_WRLCK, (offset), (whence), (len)) #define unlock(fd, offset, whence, len) \ lock_reg((fd), F_SETLK, F_UNLCK, (offset), (whence), (len)) /****************************************************************** * socket.c ******************************************************************/ extern int setnonblock(int fd, int cmd); extern ssize_t readt(int socket, void *data, const size_t length, int setnonblocking, int timeout); extern ssize_t writet(int socket, void *data, const size_t length, int setnonblocking, int timeout); extern const char *getip_string(const struct sockaddr *sa); extern unsigned int getip_port(const struct sockaddr *sa); extern void apply_ip_mask(struct sockaddr *ai, int maskbits); extern int compare_ip(const struct sockaddr *sa1, const struct sockaddr *sa2); /* Structures and functions dealing with dynamic pollfd arrays */ enum fdtype {IPC_FD, LISTEN_FD, DISASOCIATED_IPC_FD}; struct polldata { enum fdtype fdtype; /* IPC fd or listening socket fd */ void *data; /* pointer to AFPconfig for listening socket and * * pointer to afp_child_t for IPC fd */ }; extern void fdset_add_fd(int maxconns, struct pollfd **fdsetp, struct polldata **polldatap, int *fdset_usedp, int *fdset_sizep, int fd, enum fdtype fdtype, void *data); extern void fdset_del_fd(struct pollfd **fdsetp, struct polldata **polldatap, int *fdset_usedp, int *fdset_sizep, int fd); extern int send_fd(int socket, int fd); extern int recv_fd(int fd, int nonblocking); /****************************************************************** * unix.c *****************************************************************/ extern const char *getcwdpath(void); extern const char *fullpathname(const char *); extern char *stripped_slashes_basename(char *p); extern int lchdir(const char *dir); extern void randombytes(void *buf, int n); extern int daemonize(int nochdir, int noclose); /****************************************************************** * cnid.c *****************************************************************/ extern bstring rel_path_in_vol(const char *path, const char *volpath); #endif /* _ATALK_UTIL_H */
{ "content_hash": "7989787687b9107f33c3296aaa0f23d6", "timestamp": "", "source": "github", "line_count": 200, "max_line_length": 100, "avg_line_length": 34.325, "alnum_prop": 0.5546977421704297, "repo_name": "Saresu/scripts", "id": "3a6dd24498bb85e7e66c84800f4edb633ca26aeb", "size": "6865", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "devel/netatalk/netatalk-2.2.2/include/atalk/util.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "3855792" }, { "name": "C++", "bytes": "4489" }, { "name": "Lua", "bytes": "3398" }, { "name": "Objective-C", "bytes": "233" }, { "name": "Perl", "bytes": "104149" }, { "name": "Shell", "bytes": "498892" } ], "symlink_target": "" }
from __future__ import print_function import simcityweb.cli from simcityweb.cli import (confirm, dialog, choice_dialog, new_or_overwrite) from pytest import raises class CliInput(object): def __init__(self, responses): self.i = 0 self.responses = responses self.messages = [None] * len(responses) simcityweb.cli._input_mechanism = self.input def input(self, message): j = self.i % len(self.responses) self.i += 1 self.messages[j] = message return self.responses[j] def test_confirm_positive(): my_input = CliInput(["y"]) assert confirm("lalala", default_response=True) assert "lalala [Y/n]? " == my_input.messages[0] assert confirm("lalala", default_response=False) assert "lalala [y/N]? " == my_input.messages[0] def test_confirm_negative(): my_input = CliInput(["n"]) assert not confirm("lalala", default_response=True) assert "lalala [Y/n]? " == my_input.messages[0] assert not confirm("lalala", default_response=False) assert "lalala [y/N]? " == my_input.messages[0] def test_confirm_empty(): my_input = CliInput([""]) assert confirm("lalala", default_response=True) assert "lalala [Y/n]? " == my_input.messages[0] assert not confirm("lalala", default_response=False) assert "lalala [y/N]? " == my_input.messages[0] def test_confirm_invalid(): my_input = CliInput(["neither", ""]) assert confirm("lalala", default_response=True) assert "lalala [Y/n]? " == my_input.messages[0] assert "Please answer yes or no. lalala [Y/n]? " == my_input.messages[1] assert not confirm("lalala", default_response=False) assert "lalala [y/N]? " == my_input.messages[0] assert "Please answer yes or no. lalala [y/N]? " == my_input.messages[1] def test_choice_dialog(): my_input = CliInput(["option0"]) assert "option0" == choice_dialog("opt", ("option0", "option1")) assert "opt ('option0', 'option1'): " == my_input.messages[0] def test_choice_dialog_invalid_option(): my_input = CliInput(["option3", "option0"]) assert "option0" == choice_dialog("opt", ("option0", "option1")) assert "opt ('option0', 'option1'): " == my_input.messages[0] assert ("Value 'option3' invalid. opt ('option0', 'option1'): " == my_input.messages[1]) def test_choice_dialog_default_option(): CliInput([""]) assert "option1" == choice_dialog("opt", ("option0", "option1"), default_response="option1") def test_choice_dialog_invalid_default_option_raises(): CliInput([""]) with raises(ValueError): choice_dialog("opt", ("option0", "option1"), default_response="option3") def test_choice_dialog_empty_options_raises(): CliInput([""]) with raises(ValueError): choice_dialog("opt", []) def test_dialog(): my_input = CliInput(["val"]) assert "val" == dialog("opt") assert "opt: " == my_input.messages[0] def test_dialog_invalid(): my_input = CliInput(["", "val"]) assert "val" == dialog("opt") assert "opt: " == my_input.messages[0] assert "Value '' invalid. opt: " == my_input.messages[1] def test_dialog_default(): CliInput([""]) assert "def" == dialog("opt", "def") def test_dialog_default_override(): CliInput(["faa"]) assert "faa" == dialog("opt", "def") def test_new_or_overwrite_no_exist(tmpdir): p = tmpdir.join('new_or_overwrite.txt') assert not p.check() assert new_or_overwrite(str(p)) def test_new_or_overwrite_exist(tmpdir): f = tmpdir.ensure('new_or_overwrite.txt') my_input = CliInput([""]) assert not new_or_overwrite(str(f)) assert my_input.messages[0] is not None my_input = CliInput(["n"]) assert not new_or_overwrite(str(f)) assert my_input.messages[0] is not None my_input = CliInput(["y"]) assert new_or_overwrite(str(f)) assert my_input.messages[0] is not None
{ "content_hash": "2e03eecbba89b04acaf65818d3d5d8d8", "timestamp": "", "source": "github", "line_count": 128, "max_line_length": 77, "avg_line_length": 31.03125, "alnum_prop": 0.6226082578046325, "repo_name": "NLeSC/sim-city-webservice", "id": "07f65b30b64d967f4ab56b041ea9e123b8475738", "size": "4588", "binary": false, "copies": "2", "ref": "refs/heads/develop", "path": "tests/test_cli.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Makefile", "bytes": "3434" }, { "name": "Python", "bytes": "31277" }, { "name": "Shell", "bytes": "651" } ], "symlink_target": "" }
"""Config flow to configure Axis devices.""" import voluptuous as vol from homeassistant import config_entries from homeassistant.const import ( CONF_DEVICE, CONF_HOST, CONF_MAC, CONF_NAME, CONF_PASSWORD, CONF_PORT, CONF_USERNAME, ) from homeassistant.core import callback from homeassistant.helpers import config_validation as cv from homeassistant.util.json import load_json from .const import CONF_MODEL, DOMAIN from .device import get_device from .errors import AlreadyConfigured, AuthenticationRequired, CannotConnect AXIS_OUI = {"00408C", "ACCC8E", "B8A44F"} CONFIG_FILE = "axis.conf" EVENT_TYPES = ["motion", "vmd3", "pir", "sound", "daynight", "tampering", "input"] PLATFORMS = ["camera"] AXIS_INCLUDE = EVENT_TYPES + PLATFORMS AXIS_DEFAULT_HOST = "192.168.0.90" AXIS_DEFAULT_USERNAME = "root" AXIS_DEFAULT_PASSWORD = "pass" DEFAULT_PORT = 80 DEVICE_SCHEMA = vol.Schema( { vol.Optional(CONF_NAME): cv.string, vol.Optional(CONF_HOST, default=AXIS_DEFAULT_HOST): cv.string, vol.Optional(CONF_USERNAME, default=AXIS_DEFAULT_USERNAME): cv.string, vol.Optional(CONF_PASSWORD, default=AXIS_DEFAULT_PASSWORD): cv.string, vol.Optional(CONF_PORT, default=DEFAULT_PORT): cv.port, }, extra=vol.ALLOW_EXTRA, ) @callback def configured_devices(hass): """Return a set of the configured devices.""" return { entry.data[CONF_MAC]: entry for entry in hass.config_entries.async_entries(DOMAIN) } class AxisFlowHandler(config_entries.ConfigFlow, domain=DOMAIN): """Handle a Axis config flow.""" VERSION = 1 CONNECTION_CLASS = config_entries.CONN_CLASS_LOCAL_PUSH def __init__(self): """Initialize the Axis config flow.""" self.device_config = {} self.model = None self.name = None self.serial_number = None self.discovery_schema = {} self.import_schema = {} async def async_step_user(self, user_input=None): """Handle a Axis config flow start. Manage device specific parameters. """ errors = {} if user_input is not None: try: self.device_config = { CONF_HOST: user_input[CONF_HOST], CONF_PORT: user_input[CONF_PORT], CONF_USERNAME: user_input[CONF_USERNAME], CONF_PASSWORD: user_input[CONF_PASSWORD], } device = await get_device(self.hass, self.device_config) self.serial_number = device.vapix.params.system_serialnumber if self.serial_number in configured_devices(self.hass): raise AlreadyConfigured self.model = device.vapix.params.prodnbr return await self._create_entry() except AlreadyConfigured: errors["base"] = "already_configured" except AuthenticationRequired: errors["base"] = "faulty_credentials" except CannotConnect: errors["base"] = "device_unavailable" data = ( self.import_schema or self.discovery_schema or { vol.Required(CONF_HOST): str, vol.Required(CONF_USERNAME): str, vol.Required(CONF_PASSWORD): str, vol.Required(CONF_PORT, default=DEFAULT_PORT): int, } ) return self.async_show_form( step_id="user", description_placeholders=self.device_config, data_schema=vol.Schema(data), errors=errors, ) async def _create_entry(self): """Create entry for device. Generate a name to be used as a prefix for device entities. """ if self.name is None: same_model = [ entry.data[CONF_NAME] for entry in self.hass.config_entries.async_entries(DOMAIN) if entry.data[CONF_MODEL] == self.model ] self.name = f"{self.model}" for idx in range(len(same_model) + 1): self.name = f"{self.model} {idx}" if self.name not in same_model: break data = { CONF_DEVICE: self.device_config, CONF_NAME: self.name, CONF_MAC: self.serial_number, CONF_MODEL: self.model, } title = f"{self.model} - {self.serial_number}" return self.async_create_entry(title=title, data=data) async def _update_entry(self, entry, host): """Update existing entry if it is the same device.""" entry.data[CONF_DEVICE][CONF_HOST] = host self.hass.config_entries.async_update_entry(entry) async def async_step_zeroconf(self, discovery_info): """Prepare configuration for a discovered Axis device. This flow is triggered by the discovery component. """ serialnumber = discovery_info["properties"]["macaddress"] if serialnumber[:6] not in AXIS_OUI: return self.async_abort(reason="not_axis_device") if discovery_info[CONF_HOST].startswith("169.254"): return self.async_abort(reason="link_local_address") # pylint: disable=unsupported-assignment-operation self.context["macaddress"] = serialnumber if any( serialnumber == flow["context"]["macaddress"] for flow in self._async_in_progress() ): return self.async_abort(reason="already_in_progress") device_entries = configured_devices(self.hass) if serialnumber in device_entries: entry = device_entries[serialnumber] await self._update_entry(entry, discovery_info[CONF_HOST]) return self.async_abort(reason="already_configured") config_file = await self.hass.async_add_executor_job( load_json, self.hass.config.path(CONFIG_FILE) ) if serialnumber not in config_file: self.discovery_schema = { vol.Required(CONF_HOST, default=discovery_info[CONF_HOST]): str, vol.Required(CONF_USERNAME): str, vol.Required(CONF_PASSWORD): str, vol.Required(CONF_PORT, default=discovery_info[CONF_PORT]): int, } return await self.async_step_user() try: device_config = DEVICE_SCHEMA(config_file[serialnumber]) device_config[CONF_HOST] = discovery_info[CONF_HOST] if CONF_NAME not in device_config: device_config[CONF_NAME] = discovery_info["hostname"] except vol.Invalid: return self.async_abort(reason="bad_config_file") return await self.async_step_import(device_config) async def async_step_import(self, import_config): """Import a Axis device as a config entry. This flow is triggered by `async_setup` for configured devices. This flow is also triggered by `async_step_discovery`. This will execute for any Axis device that contains a complete configuration. """ self.name = import_config[CONF_NAME] self.import_schema = { vol.Required(CONF_HOST, default=import_config[CONF_HOST]): str, vol.Required(CONF_USERNAME, default=import_config[CONF_USERNAME]): str, vol.Required(CONF_PASSWORD, default=import_config[CONF_PASSWORD]): str, vol.Required(CONF_PORT, default=import_config[CONF_PORT]): int, } return await self.async_step_user(user_input=import_config)
{ "content_hash": "184b6d746471c6af7ce1d10960f7f6d4", "timestamp": "", "source": "github", "line_count": 232, "max_line_length": 83, "avg_line_length": 33.03448275862069, "alnum_prop": 0.6012526096033403, "repo_name": "Cinntax/home-assistant", "id": "3b5efe96760efd1b03ba26a3a07acebfd9ee9d18", "size": "7664", "binary": false, "copies": "1", "ref": "refs/heads/dev", "path": "homeassistant/components/axis/config_flow.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Python", "bytes": "17374056" }, { "name": "Shell", "bytes": "6792" } ], "symlink_target": "" }
using osu.Game.Rulesets.Edit; using osu.Game.Rulesets.Objects; using osu.Game.Rulesets.Objects.Drawables; using osu.Game.Rulesets.Osu.Edit.Blueprints.Spinners; using osu.Game.Rulesets.Osu.Objects; using osu.Game.Rulesets.Osu.Objects.Drawables; using osu.Game.Tests.Visual; namespace osu.Game.Rulesets.Osu.Tests { public class TestCaseSpinnerPlacementBlueprint : PlacementBlueprintTestCase { protected override DrawableHitObject CreateHitObject(HitObject hitObject) => new DrawableSpinner((Spinner)hitObject); protected override PlacementBlueprint CreateBlueprint() => new SpinnerPlacementBlueprint(); } }
{ "content_hash": "f4b4849f9b4c16f8b2e91f97d4ee310a", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 125, "avg_line_length": 37.35294117647059, "alnum_prop": 0.7952755905511811, "repo_name": "DrabWeb/osu", "id": "9001ad3596b01a058708a609886a1754d9c19483", "size": "785", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "osu.Game.Rulesets.Osu.Tests/TestCaseSpinnerPlacementBlueprint.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "4182760" }, { "name": "PowerShell", "bytes": "2550" }, { "name": "Ruby", "bytes": "6173" }, { "name": "Shell", "bytes": "1031" } ], "symlink_target": "" }
/** * @author Oleg V. Khaschansky */ package java.awt.color; import org.apache.harmony.awt.internal.nls.Messages; public class ICC_ProfileRGB extends ICC_Profile { private static final long serialVersionUID = 8505067385152579334L; ICC_ProfileRGB(long profileHandle) { super(profileHandle); } public static final int REDCOMPONENT = 0; public static final int GREENCOMPONENT = 1; public static final int BLUECOMPONENT = 2; // awt.15E=Unknown component. Must be REDCOMPONENT, GREENCOMPONENT or BLUECOMPONENT. private static final String UNKNOWN_COMPONENT_MSG = Messages .getString("awt.15E"); //$NON-NLS-1$ @Override public short[] getTRC(int component) { switch (component) { case REDCOMPONENT: return super.getTRC(icSigRedTRCTag); case GREENCOMPONENT: return super.getTRC(icSigGreenTRCTag); case BLUECOMPONENT: return super.getTRC(icSigBlueTRCTag); default: } throw new IllegalArgumentException(UNKNOWN_COMPONENT_MSG); } @Override public float getGamma(int component) { switch (component) { case REDCOMPONENT: return super.getGamma(icSigRedTRCTag); case GREENCOMPONENT: return super.getGamma(icSigGreenTRCTag); case BLUECOMPONENT: return super.getGamma(icSigBlueTRCTag); default: } throw new IllegalArgumentException(UNKNOWN_COMPONENT_MSG); } public float[][] getMatrix() { float [][] m = new float[3][3]; // The matrix float[] redXYZ = getXYZValue(icSigRedColorantTag); float[] greenXYZ = getXYZValue(icSigGreenColorantTag); float[] blueXYZ = getXYZValue(icSigBlueColorantTag); m[0][0] = redXYZ[0]; m[1][0] = redXYZ[1]; m[2][0] = redXYZ[2]; m[0][1] = greenXYZ[0]; m[1][1] = greenXYZ[1]; m[2][1] = greenXYZ[2]; m[0][2] = blueXYZ[0]; m[1][2] = blueXYZ[1]; m[2][2] = blueXYZ[2]; return m; } @Override public float[] getMediaWhitePoint() { return super.getMediaWhitePoint(); } }
{ "content_hash": "4d8fc5a9c1dee469bf76bfe677249d32", "timestamp": "", "source": "github", "line_count": 83, "max_line_length": 88, "avg_line_length": 27.14457831325301, "alnum_prop": 0.596537949400799, "repo_name": "freeVM/freeVM", "id": "93af68be63f4944cb87bc16ec2fdfd1a011cce32", "size": "3065", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "enhanced/java/classlib/modules/awt/src/main/java/common/java/awt/color/ICC_ProfileRGB.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Assembly", "bytes": "116828" }, { "name": "C", "bytes": "17860389" }, { "name": "C++", "bytes": "19007206" }, { "name": "CSS", "bytes": "217777" }, { "name": "Java", "bytes": "152108632" }, { "name": "Objective-C", "bytes": "106412" }, { "name": "Objective-J", "bytes": "11029421" }, { "name": "Perl", "bytes": "305690" }, { "name": "Scilab", "bytes": "34" }, { "name": "Shell", "bytes": "153821" }, { "name": "XSLT", "bytes": "152859" } ], "symlink_target": "" }
WINDOWS BUILD NOTES =================== See [readme-qt.md](readme-qt.md) for instructions on building EquiTrader-Qt, the graphical user interface. Compilers Supported ------------------- TODO: What works? Note: releases are cross-compiled using mingw running on Linux. Dependencies ------------ Libraries you need to download separately and build: name default path download -------------------------------------------------------------------------------------------------------------------- OpenSSL \openssl-1.0.1c-mgw http://www.openssl.org/source/ Berkeley DB \db-4.8.30.NC-mgw http://www.oracle.com/technology/software/products/berkeley-db/index.html Boost \boost-1.50.0-mgw http://www.boost.org/users/download/ miniupnpc \miniupnpc-1.6-mgw http://miniupnp.tuxfamily.org/files/ Their licenses: OpenSSL Old BSD license with the problematic advertising requirement Berkeley DB New BSD license with additional requirement that linked software must be free open source Boost MIT-like license miniupnpc New (3-clause) BSD license Versions used in this release: OpenSSL 1.0.1c Berkeley DB 4.8.30.NC Boost 1.50.0 miniupnpc 1.6 OpenSSL ------- MSYS shell: un-tar sources with MSYS 'tar xfz' to avoid issue with symlinks (OpenSSL ticket 2377) change 'MAKE' env. variable from 'C:\MinGW32\bin\mingw32-make.exe' to '/c/MinGW32/bin/mingw32-make.exe' cd /c/openssl-1.0.1c-mgw ./config make Berkeley DB ----------- MSYS shell: cd /c/db-4.8.30.NC-mgw/build_unix sh ../dist/configure --enable-mingw --enable-cxx make Boost ----- DOS prompt: downloaded boost jam 3.1.18 cd \boost-1.50.0-mgw bjam toolset=gcc --build-type=complete stage MiniUPnPc --------- UPnP support is optional, make with `USE_UPNP=` to disable it. MSYS shell: cd /c/miniupnpc-1.6-mgw make -f Makefile.mingw mkdir miniupnpc cp *.h miniupnpc/ EquiTrader ------- DOS prompt: cd \equitrader\src mingw32-make -f makefile.mingw strip equitraderd.exe
{ "content_hash": "b91c50def6097e6c6c7c6d7ae061be33", "timestamp": "", "source": "github", "line_count": 83, "max_line_length": 117, "avg_line_length": 25.06024096385542, "alnum_prop": 0.6365384615384615, "repo_name": "equitrade/equitrade", "id": "a04b1e480db2f56bd13e11b1de3bce41f8aa7b0a", "size": "2080", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/build-msw.md", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "30537" }, { "name": "C++", "bytes": "2556854" }, { "name": "CSS", "bytes": "1127" }, { "name": "HTML", "bytes": "50615" }, { "name": "Makefile", "bytes": "5200" }, { "name": "NSIS", "bytes": "5908" }, { "name": "Objective-C", "bytes": "858" }, { "name": "Objective-C++", "bytes": "5711" }, { "name": "Python", "bytes": "69711" }, { "name": "QMake", "bytes": "14320" }, { "name": "Roff", "bytes": "18289" }, { "name": "Shell", "bytes": "17896" } ], "symlink_target": "" }
'------------------------------------------------------------------------------ ' <auto-generated> ' This code was generated by a tool. ' Runtime Version:4.0.30319.42000 ' ' Changes to this file may cause incorrect behavior and will be lost if ' the code is regenerated. ' </auto-generated> '------------------------------------------------------------------------------ Option Strict On Option Explicit On Imports System Imports System.Reflection Namespace Microsoft.CodeAnalysis.VisualBasic 'This class was auto-generated by the StronglyTypedResourceBuilder 'class via a tool like ResGen or Visual Studio. 'To add or remove a member, edit your .ResX file then rerun ResGen 'with the /str option, or rebuild your VS project. '''<summary> ''' A strongly-typed resource class, for looking up localized strings, etc. '''</summary> <Global.System.CodeDom.Compiler.GeneratedCodeAttribute("System.Resources.Tools.StronglyTypedResourceBuilder", "4.0.0.0"), _ Global.System.Diagnostics.DebuggerNonUserCodeAttribute(), _ Global.System.Runtime.CompilerServices.CompilerGeneratedAttribute(), _ Global.Microsoft.VisualBasic.HideModuleNameAttribute()> _ Friend Module VBResources Private resourceMan As Global.System.Resources.ResourceManager Private resourceCulture As Global.System.Globalization.CultureInfo '''<summary> ''' Returns the cached ResourceManager instance used by this class. '''</summary> <Global.System.ComponentModel.EditorBrowsableAttribute(Global.System.ComponentModel.EditorBrowsableState.Advanced)> _ Friend ReadOnly Property ResourceManager() As Global.System.Resources.ResourceManager Get If Object.ReferenceEquals(resourceMan, Nothing) Then Dim temp As Global.System.Resources.ResourceManager = New Global.System.Resources.ResourceManager("VBResources", GetType(VBResources).GetTypeInfo.Assembly) resourceMan = temp End If Return resourceMan End Get End Property '''<summary> ''' Overrides the current thread's CurrentUICulture property for all ''' resource lookups using this strongly typed resource class. '''</summary> <Global.System.ComponentModel.EditorBrowsableAttribute(Global.System.ComponentModel.EditorBrowsableState.Advanced)> _ Friend Property Culture() As Global.System.Globalization.CultureInfo Get Return resourceCulture End Get Set resourceCulture = value End Set End Property '''<summary> ''' Looks up a localized string similar to AggregateSyntax not within syntax tree. '''</summary> Friend ReadOnly Property AggregateSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("AggregateSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to AnonymousObjectCreationExpressionSyntax not within syntax tree. '''</summary> Friend ReadOnly Property AnonymousObjectCreationExpressionSyntaxNotWithinTree() As String Get Return ResourceManager.GetString("AnonymousObjectCreationExpressionSyntaxNotWithinTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Associated type does not have type parameters. '''</summary> Friend ReadOnly Property AssociatedTypeDoesNotHaveTypeParameters() As String Get Return ResourceManager.GetString("AssociatedTypeDoesNotHaveTypeParameters", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot add compiler special tree. '''</summary> Friend ReadOnly Property CannotAddCompilerSpecialTree() As String Get Return ResourceManager.GetString("CannotAddCompilerSpecialTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot remove compiler special tree. '''</summary> Friend ReadOnly Property CannotRemoveCompilerSpecialTree() As String Get Return ResourceManager.GetString("CannotRemoveCompilerSpecialTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Can&apos;t reference compilation of type &apos;{0}&apos; from {1} compilation.. '''</summary> Friend ReadOnly Property CantReferenceCompilationFromTypes() As String Get Return ResourceManager.GetString("CantReferenceCompilationFromTypes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Chaining speculative semantic model is not supported. You should create a speculative model from the non-speculative ParentModel.. '''</summary> Friend ReadOnly Property ChainingSpeculativeModelIsNotSupported() As String Get Return ResourceManager.GetString("ChainingSpeculativeModelIsNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Compilation (Visual Basic): . '''</summary> Friend ReadOnly Property CompilationVisualBasic() As String Get Return ResourceManager.GetString("CompilationVisualBasic", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to DeclarationSyntax not within syntax tree. '''</summary> Friend ReadOnly Property DeclarationSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("DeclarationSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to DeclarationSyntax not within tree. '''</summary> Friend ReadOnly Property DeclarationSyntaxNotWithinTree() As String Get Return ResourceManager.GetString("DeclarationSyntaxNotWithinTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Elements cannot be null.. '''</summary> Friend ReadOnly Property ElementsCannotBeNull() As String Get Return ResourceManager.GetString("ElementsCannotBeNull", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot find the interop type that matches the embedded type &apos;{0}&apos;. Are you missing an assembly reference?. '''</summary> Friend ReadOnly Property ERR_AbsentReferenceToPIA1() As String Get Return ResourceManager.GetString("ERR_AbsentReferenceToPIA1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot expose type &apos;{1}&apos; in {2} &apos;{3}&apos; through {4} &apos;{5}&apos;.. '''</summary> Friend ReadOnly Property ERR_AccessMismatch6() As String Get Return ResourceManager.GetString("ERR_AccessMismatch6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot expose the underlying delegate type &apos;{1}&apos; of the event it is implementing outside the project through {2} &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_AccessMismatchImplementedEvent4() As String Get Return ResourceManager.GetString("ERR_AccessMismatchImplementedEvent4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot expose the underlying delegate type &apos;{1}&apos; of the event it is implementing to {2} &apos;{3}&apos; through {4} &apos;{5}&apos;.. '''</summary> Friend ReadOnly Property ERR_AccessMismatchImplementedEvent6() As String Get Return ResourceManager.GetString("ERR_AccessMismatchImplementedEvent6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot expose type &apos;{1}&apos; outside the project through {2} &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_AccessMismatchOutsideAssembly4() As String Get Return ResourceManager.GetString("ERR_AccessMismatchOutsideAssembly4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; or &apos;RemoveHandler&apos; statement event operand must be a dot-qualified expression or a simple name.. '''</summary> Friend ReadOnly Property ERR_AddOrRemoveHandlerEvent() As String Get Return ResourceManager.GetString("ERR_AddOrRemoveHandlerEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The type of the &apos;AddHandler&apos; method&apos;s parameter must be the same as the type of the event.. '''</summary> Friend ReadOnly Property ERR_AddParamWrongForWinRT() As String Get Return ResourceManager.GetString("ERR_AddParamWrongForWinRT", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; and &apos;RemoveHandler&apos; method parameters must have the same delegate type as the containing event.. '''</summary> Friend ReadOnly Property ERR_AddRemoveParamNotEventType() As String Get Return ResourceManager.GetString("ERR_AddRemoveParamNotEventType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddressOf&apos; expressions are not valid in the first expression of a &apos;Select Case&apos; statement.. '''</summary> Friend ReadOnly Property ERR_AddressOfInSelectCaseExpr() As String Get Return ResourceManager.GetString("ERR_AddressOfInSelectCaseExpr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddressOf&apos; expression cannot be converted to &apos;{0}&apos; because type &apos;{0}&apos; is declared &apos;MustInherit&apos; and cannot be created.. '''</summary> Friend ReadOnly Property ERR_AddressOfNotCreatableDelegate1() As String Get Return ResourceManager.GetString("ERR_AddressOfNotCreatableDelegate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddressOf&apos; expression cannot be converted to &apos;{0}&apos; because &apos;{0}&apos; is not a delegate type.. '''</summary> Friend ReadOnly Property ERR_AddressOfNotDelegate1() As String Get Return ResourceManager.GetString("ERR_AddressOfNotDelegate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Methods of &apos;System.Nullable(Of T)&apos; cannot be used as operands of the &apos;AddressOf&apos; operator.. '''</summary> Friend ReadOnly Property ERR_AddressOfNullableMethod() As String Get Return ResourceManager.GetString("ERR_AddressOfNullableMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddressOf&apos; operand must be the name of a method (without parentheses).. '''</summary> Friend ReadOnly Property ERR_AddressOfOperandNotMethod() As String Get Return ResourceManager.GetString("ERR_AddressOfOperandNotMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Object initializer syntax cannot be used to initialize an instance of &apos;System.Object&apos;.. '''</summary> Friend ReadOnly Property ERR_AggrInitInvalidForObject() As String Get Return ResourceManager.GetString("ERR_AggrInitInvalidForObject", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Agnostic assembly cannot have a processor specific module &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_AgnosticToMachineModule() As String Get Return ResourceManager.GetString("ERR_AgnosticToMachineModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous across the inherited interfaces &apos;{1}&apos; and &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_AmbiguousAcrossInterfaces3() As String Get Return ResourceManager.GetString("ERR_AmbiguousAcrossInterfaces3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On does not allow implicit conversions from &apos;{0}&apos; to &apos;{1}&apos; because the conversion is ambiguous.. '''</summary> Friend ReadOnly Property ERR_AmbiguousCastConversion2() As String Get Return ResourceManager.GetString("ERR_AmbiguousCastConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to No accessible &apos;{0}&apos; is most specific: {1}. '''</summary> Friend ReadOnly Property ERR_AmbiguousDelegateBinding2() As String Get Return ResourceManager.GetString("ERR_AmbiguousDelegateBinding2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}.{1}&apos; that matches this signature cannot be implemented because the interface &apos;{2}&apos; contains multiple members with this same name and signature: ''' &apos;{3}&apos; ''' &apos;{4}&apos;. '''</summary> Friend ReadOnly Property ERR_AmbiguousImplements3() As String Get Return ResourceManager.GetString("ERR_AmbiguousImplements3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; exists in multiple base interfaces. Use the name of the interface that declares &apos;{0}&apos; in the &apos;Implements&apos; clause instead of the name of the derived interface.. '''</summary> Friend ReadOnly Property ERR_AmbiguousImplementsMember3() As String Get Return ResourceManager.GetString("ERR_AmbiguousImplementsMember3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous, imported from the namespaces or types &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_AmbiguousInImports2() As String Get Return ResourceManager.GetString("ERR_AmbiguousInImports2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous between declarations in Modules &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_AmbiguousInModules2() As String Get Return ResourceManager.GetString("ERR_AmbiguousInModules2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous in the namespace &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_AmbiguousInNamespace2() As String Get Return ResourceManager.GetString("ERR_AmbiguousInNamespace2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous between declarations in namespaces &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_AmbiguousInNamespaces2() As String Get Return ResourceManager.GetString("ERR_AmbiguousInNamespaces2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous.. '''</summary> Friend ReadOnly Property ERR_AmbiguousInUnnamedNamespace1() As String Get Return ResourceManager.GetString("ERR_AmbiguousInUnnamedNamespace1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; that matches this signature cannot be overridden because the class &apos;{1}&apos; contains multiple members with this same name and signature: {2}. '''</summary> Friend ReadOnly Property ERR_AmbiguousOverrides3() As String Get Return ResourceManager.GetString("ERR_AmbiguousOverrides3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of &apos;{0}&apos; is ambiguous because the loop bounds and the step clause do not convert to the same type.. '''</summary> Friend ReadOnly Property ERR_AmbiguousWidestType3() As String Get Return ResourceManager.GetString("ERR_AmbiguousWidestType3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type member name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.. '''</summary> Friend ReadOnly Property ERR_AnonTypeFieldXMLNameInference() As String Get Return ResourceManager.GetString("ERR_AnonTypeFieldXMLNameInference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type characters cannot be used in anonymous type declarations.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypeDisallowsTypeChar() As String Get Return ResourceManager.GetString("ERR_AnonymousTypeDisallowsTypeChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Identifier expected, preceded with a period.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypeExpectedIdentifier() As String Get Return ResourceManager.GetString("ERR_AnonymousTypeExpectedIdentifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type member name can be inferred only from a simple or qualified name with no arguments.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypeFieldNameInference() As String Get Return ResourceManager.GetString("ERR_AnonymousTypeFieldNameInference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type member name must be preceded by a period.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypeNameWithoutPeriod() As String Get Return ResourceManager.GetString("ERR_AnonymousTypeNameWithoutPeriod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type must contain at least one member.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypeNeedField() As String Get Return ResourceManager.GetString("ERR_AnonymousTypeNeedField", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type member property &apos;{0}&apos; cannot be used to infer the type of another member property because the type of &apos;{0}&apos; is not yet established.. '''</summary> Friend ReadOnly Property ERR_AnonymousTypePropertyOutOfOrder1() As String Get Return ResourceManager.GetString("ERR_AnonymousTypePropertyOutOfOrder1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Copying the value of &apos;ByRef&apos; parameter &apos;{0}&apos; back to the matching argument narrows from type &apos;{1}&apos; to type &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ArgumentCopyBackNarrowing3() As String Get Return ResourceManager.GetString("ERR_ArgumentCopyBackNarrowing3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument matching parameter &apos;{0}&apos; narrows to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ArgumentNarrowing2() As String Get Return ResourceManager.GetString("ERR_ArgumentNarrowing2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument matching parameter &apos;{0}&apos; narrows from &apos;{1}&apos; to &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ArgumentNarrowing3() As String Get Return ResourceManager.GetString("ERR_ArgumentNarrowing3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to option &apos;{0}&apos; requires &apos;{1}&apos;. '''</summary> Friend ReadOnly Property ERR_ArgumentRequired() As String Get Return ResourceManager.GetString("ERR_ArgumentRequired", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Comma, &apos;)&apos;, or a valid expression continuation expected.. '''</summary> Friend ReadOnly Property ERR_ArgumentSyntax() As String Get Return ResourceManager.GetString("ERR_ArgumentSyntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializers are valid only for arrays, but the type of &apos;{0}&apos; is &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ArrayInitForNonArray2() As String Get Return ResourceManager.GetString("ERR_ArrayInitForNonArray2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializer cannot be specified for a non constant dimension; use the empty initializer &apos;{}&apos;.. '''</summary> Friend ReadOnly Property ERR_ArrayInitializerForNonConstDim() As String Get Return ResourceManager.GetString("ERR_ArrayInitializerForNonConstDim", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializer has too few dimensions.. '''</summary> Friend ReadOnly Property ERR_ArrayInitializerTooFewDimensions() As String Get Return ResourceManager.GetString("ERR_ArrayInitializerTooFewDimensions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializer has too many dimensions.. '''</summary> Friend ReadOnly Property ERR_ArrayInitializerTooManyDimensions() As String Get Return ResourceManager.GetString("ERR_ArrayInitializerTooManyDimensions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Arrays declared as structure members cannot be declared with an initial size.. '''</summary> Friend ReadOnly Property ERR_ArrayInitInStruct() As String Get Return ResourceManager.GetString("ERR_ArrayInitInStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type. Specifying the type of the array might correct this error.. '''</summary> Friend ReadOnly Property ERR_ArrayInitNoType() As String Get Return ResourceManager.GetString("ERR_ArrayInitNoType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type, and Option Strict On does not allow &apos;Object&apos; to be assumed. Specifying the type of the array might correct this error.. '''</summary> Friend ReadOnly Property ERR_ArrayInitNoTypeObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_ArrayInitNoTypeObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type because more than one type is possible. Specifying the type of the array might correct this error.. '''</summary> Friend ReadOnly Property ERR_ArrayInitTooManyTypesObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_ArrayInitTooManyTypesObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;(&apos; unexpected. Arrays of uninstantiated generic types are not allowed.. '''</summary> Friend ReadOnly Property ERR_ArrayOfRawGenericInvalid() As String Get Return ResourceManager.GetString("ERR_ArrayOfRawGenericInvalid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array exceeds the limit of 32 dimensions.. '''</summary> Friend ReadOnly Property ERR_ArrayRankLimit() As String Get Return ResourceManager.GetString("ERR_ArrayRankLimit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Arrays cannot be declared with &apos;New&apos;.. '''</summary> Friend ReadOnly Property ERR_AsNewArray() As String Get Return ResourceManager.GetString("ERR_AsNewArray", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;Main&apos; method cannot be marked &apos;Async&apos;.. '''</summary> Friend ReadOnly Property ERR_AsyncSubMain() As String Get Return ResourceManager.GetString("ERR_AsyncSubMain", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be named as a parameter in an attribute specifier because it is not a field or property.. '''</summary> Friend ReadOnly Property ERR_AttrAssignmentNotFieldOrProp1() As String Get Return ResourceManager.GetString("ERR_AttrAssignmentNotFieldOrProp1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameters, generic types or types contained in generic types cannot be used as attributes.. '''</summary> Friend ReadOnly Property ERR_AttrCannotBeGenerics() As String Get Return ResourceManager.GetString("ERR_AttrCannotBeGenerics", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be used as an attribute because it is declared &apos;MustInherit&apos;.. '''</summary> Friend ReadOnly Property ERR_AttributeCannotBeAbstract() As String Get Return ResourceManager.GetString("ERR_AttributeCannotBeAbstract", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be used as an attribute because it is not a class.. '''</summary> Friend ReadOnly Property ERR_AttributeMustBeClassNotStruct1() As String Get Return ResourceManager.GetString("ERR_AttributeMustBeClassNotStruct1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be used as an attribute because it does not inherit from &apos;System.Attribute&apos;.. '''</summary> Friend ReadOnly Property ERR_AttributeMustInheritSysAttr() As String Get Return ResourceManager.GetString("ERR_AttributeMustInheritSysAttr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attributes cannot be applied to return types of lambda expressions.. '''</summary> Friend ReadOnly Property ERR_AttributeOnLambdaReturnType() As String Get Return ResourceManager.GetString("ERR_AttributeOnLambdaReturnType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML attribute &apos;{0}&apos; must appear before XML attribute &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_AttributeOrder() As String Get Return ResourceManager.GetString("ERR_AttributeOrder", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute parameter &apos;{0}&apos; must be specified.. '''</summary> Friend ReadOnly Property ERR_AttributeParameterRequired1() As String Get Return ResourceManager.GetString("ERR_AttributeParameterRequired1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute parameter &apos;{0}&apos; or &apos;{1}&apos; must be specified.. '''</summary> Friend ReadOnly Property ERR_AttributeParameterRequired2() As String Get Return ResourceManager.GetString("ERR_AttributeParameterRequired2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly or Module attribute statements must precede any declarations in a file.. '''</summary> Friend ReadOnly Property ERR_AttributeStmtWrongOrder() As String Get Return ResourceManager.GetString("ERR_AttributeStmtWrongOrder", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Auto-implemented properties cannot be WriteOnly.. '''</summary> Friend ReadOnly Property ERR_AutoPropertyCantBeWriteOnly() As String Get Return ResourceManager.GetString("ERR_AutoPropertyCantBeWriteOnly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Auto-implemented properties cannot have parameters.. '''</summary> Friend ReadOnly Property ERR_AutoPropertyCantHaveParams() As String Get Return ResourceManager.GetString("ERR_AutoPropertyCantHaveParams", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Auto-implemented Properties contained in Structures cannot have initializers unless they are marked &apos;Shared&apos;.. '''</summary> Friend ReadOnly Property ERR_AutoPropertyInitializedInStructure() As String Get Return ResourceManager.GetString("ERR_AutoPropertyInitializedInStructure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot convert anonymous type to an expression tree because a property of the type is used to initialize another property.. '''</summary> Friend ReadOnly Property ERR_BadAnonymousTypeForExprTree() As String Get Return ResourceManager.GetString("ERR_BadAnonymousTypeForExprTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Async methods cannot have ByRef parameters.. '''</summary> Friend ReadOnly Property ERR_BadAsyncByRefParam() As String Get Return ResourceManager.GetString("ERR_BadAsyncByRefParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; may only be used in a query expression within the first collection expression of the initial &apos;From&apos; clause or within the collection expression of a &apos;Join&apos; clause.. '''</summary> Friend ReadOnly Property ERR_BadAsyncInQuery() As String Get Return ResourceManager.GetString("ERR_BadAsyncInQuery", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;Async&apos; modifier can only be used on Subs, or on Functions that return Task or Task(Of T).. '''</summary> Friend ReadOnly Property ERR_BadAsyncReturn() As String Get Return ResourceManager.GetString("ERR_BadAsyncReturn", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Since this is an async method, the return expression must be of type &apos;{0}&apos; rather than &apos;Task(Of {0})&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAsyncReturnOperand1() As String Get Return ResourceManager.GetString("ERR_BadAsyncReturnOperand1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; is not valid: Incorrect argument value.. '''</summary> Friend ReadOnly Property ERR_BadAttribute1() As String Get Return ResourceManager.GetString("ERR_BadAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute constructor has a parameter of type &apos;{0}&apos;, which is not an integral, floating-point or Enum type or one of Object, Char, String, Boolean, System.Type or 1-dimensional array of these types.. '''</summary> Friend ReadOnly Property ERR_BadAttributeConstructor1() As String Get Return ResourceManager.GetString("ERR_BadAttributeConstructor1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute constructor has a &apos;ByRef&apos; parameter of type &apos;{0}&apos;; cannot use constructors with byref parameters to apply the attribute.. '''</summary> Friend ReadOnly Property ERR_BadAttributeConstructor2() As String Get Return ResourceManager.GetString("ERR_BadAttributeConstructor2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute cannot be used because it does not have a Public constructor.. '''</summary> Friend ReadOnly Property ERR_BadAttributeNonPublicConstructor() As String Get Return ResourceManager.GetString("ERR_BadAttributeNonPublicConstructor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in an attribute because its container &apos;{1}&apos; is not declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAttributeNonPublicContType2() As String Get Return ResourceManager.GetString("ERR_BadAttributeNonPublicContType2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute member &apos;{0}&apos; cannot be the target of an assignment because it is not declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAttributeNonPublicProperty1() As String Get Return ResourceManager.GetString("ERR_BadAttributeNonPublicProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in an attribute because it is not declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAttributeNonPublicType1() As String Get Return ResourceManager.GetString("ERR_BadAttributeNonPublicType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property or field &apos;{0}&apos; does not have a valid attribute type.. '''</summary> Friend ReadOnly Property ERR_BadAttributePropertyType1() As String Get Return ResourceManager.GetString("ERR_BadAttributePropertyType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; attribute property &apos;{0}&apos; cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_BadAttributeReadOnlyProperty1() As String Get Return ResourceManager.GetString("ERR_BadAttributeReadOnlyProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Shared&apos; attribute property &apos;{0}&apos; cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_BadAttributeSharedProperty1() As String Get Return ResourceManager.GetString("ERR_BadAttributeSharedProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be applied because the format of the GUID &apos;{1}&apos; is not correct.. '''</summary> Friend ReadOnly Property ERR_BadAttributeUuid2() As String Get Return ResourceManager.GetString("ERR_BadAttributeUuid2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; can only be used within an Async lambda expression. Consider marking this lambda expression with the &apos;Async&apos; modifier.. '''</summary> Friend ReadOnly Property ERR_BadAwaitInNonAsyncLambda() As String Get Return ResourceManager.GetString("ERR_BadAwaitInNonAsyncLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; can only be used within an Async method. Consider marking this method with the &apos;Async&apos; modifier and changing its return type to &apos;Task(Of {0})&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAwaitInNonAsyncMethod() As String Get Return ResourceManager.GetString("ERR_BadAwaitInNonAsyncMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; can only be used within an Async method. Consider marking this method with the &apos;Async&apos; modifier and changing its return type to &apos;Task&apos;.. '''</summary> Friend ReadOnly Property ERR_BadAwaitInNonAsyncVoidMethod() As String Get Return ResourceManager.GetString("ERR_BadAwaitInNonAsyncVoidMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; cannot be used inside a &apos;Catch&apos; statement, a &apos;Finally&apos; statement, or a &apos;SyncLock&apos; statement.. '''</summary> Friend ReadOnly Property ERR_BadAwaitInTryHandler() As String Get Return ResourceManager.GetString("ERR_BadAwaitInTryHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot await Nothing. Consider awaiting &apos;Task.Yield()&apos; instead.. '''</summary> Friend ReadOnly Property ERR_BadAwaitNothing() As String Get Return ResourceManager.GetString("ERR_BadAwaitNothing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; can only be used when contained within a method or lambda expression marked with the &apos;Async&apos; modifier.. '''</summary> Friend ReadOnly Property ERR_BadAwaitNotInAsyncMethodOrLambda() As String Get Return ResourceManager.GetString("ERR_BadAwaitNotInAsyncMethodOrLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax error in conditional compilation expression.. '''</summary> Friend ReadOnly Property ERR_BadCCExpression() As String Get Return ResourceManager.GetString("ERR_BadCCExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Classes cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadClassFlags1() As String Get Return ResourceManager.GetString("ERR_BadClassFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to code page &apos;{0}&apos; is invalid or not installed. '''</summary> Friend ReadOnly Property ERR_BadCodepage() As String Get Return ResourceManager.GetString("ERR_BadCodepage", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0}. '''</summary> Friend ReadOnly Property ERR_BadCompilationOption() As String Get Return ResourceManager.GetString("ERR_BadCompilationOption", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Leading &apos;?&apos; can only appear inside a &apos;With&apos; statement, but not inside an object member initializer.. '''</summary> Friend ReadOnly Property ERR_BadConditionalWithRef() As String Get Return ResourceManager.GetString("ERR_BadConditionalWithRef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a constant declaration.. '''</summary> Friend ReadOnly Property ERR_BadConstFlags1() As String Get Return ResourceManager.GetString("ERR_BadConstFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type or &apos;New&apos; expected.. '''</summary> Friend ReadOnly Property ERR_BadConstraintSyntax() As String Get Return ResourceManager.GetString("ERR_BadConstraintSyntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a Declare.. '''</summary> Friend ReadOnly Property ERR_BadDeclareFlags1() As String Get Return ResourceManager.GetString("ERR_BadDeclareFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a Delegate declaration.. '''</summary> Friend ReadOnly Property ERR_BadDelegateFlags1() As String Get Return ResourceManager.GetString("ERR_BadDelegateFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a member variable declaration.. '''</summary> Friend ReadOnly Property ERR_BadDimFlags1() As String Get Return ResourceManager.GetString("ERR_BadDimFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Enum &apos;{0}&apos; must contain at least one member.. '''</summary> Friend ReadOnly Property ERR_BadEmptyEnum1() As String Get Return ResourceManager.GetString("ERR_BadEmptyEnum1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an Enum declaration.. '''</summary> Friend ReadOnly Property ERR_BadEnumFlags1() As String Get Return ResourceManager.GetString("ERR_BadEnumFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an event declaration.. '''</summary> Friend ReadOnly Property ERR_BadEventFlags1() As String Get Return ResourceManager.GetString("ERR_BadEventFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;NotInheritable&apos; classes cannot have members declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadFlagsInNotInheritableClass1() As String Get Return ResourceManager.GetString("ERR_BadFlagsInNotInheritableClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadFlagsOnNew1() As String Get Return ResourceManager.GetString("ERR_BadFlagsOnNew1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;{0}&apos; keyword is used to overload inherited members; do not use the &apos;{0}&apos; keyword when overloading &apos;Sub New&apos;.. '''</summary> Friend ReadOnly Property ERR_BadFlagsOnNewOverloads() As String Get Return ResourceManager.GetString("ERR_BadFlagsOnNewOverloads", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Shared&apos; cannot be combined with &apos;{0}&apos; on a method declaration.. '''</summary> Friend ReadOnly Property ERR_BadFlagsOnSharedMeth1() As String Get Return ResourceManager.GetString("ERR_BadFlagsOnSharedMeth1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Shared&apos; cannot be combined with &apos;{0}&apos; on a property declaration.. '''</summary> Friend ReadOnly Property ERR_BadFlagsOnSharedProperty1() As String Get Return ResourceManager.GetString("ERR_BadFlagsOnSharedProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties in a Module cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadFlagsOnStdModuleProperty1() As String Get Return ResourceManager.GetString("ERR_BadFlagsOnStdModuleProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Default&apos; cannot be combined with &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadFlagsWithDefault1() As String Get Return ResourceManager.GetString("ERR_BadFlagsWithDefault1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; must have either a &apos;New&apos; constraint or a &apos;Structure&apos; constraint to satisfy the &apos;New&apos; constraint for type parameter &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadGenericParamForNewConstraint2() As String Get Return ResourceManager.GetString("ERR_BadGenericParamForNewConstraint2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; requires that the type &apos;{0}&apos; have a suitable GetAwaiter method.. '''</summary> Friend ReadOnly Property ERR_BadGetAwaiterMethod1() As String Get Return ResourceManager.GetString("ERR_BadGetAwaiterMethod1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implemented type must be an interface.. '''</summary> Friend ReadOnly Property ERR_BadImplementsType() As String Get Return ResourceManager.GetString("ERR_BadImplementsType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot refer to an instance member of a class from within a shared method or shared member initializer without an explicit instance of the class.. '''</summary> Friend ReadOnly Property ERR_BadInstanceMemberAccess() As String Get Return ResourceManager.GetString("ERR_BadInstanceMemberAccess", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class in an interface cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceClassSpecifier1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceClassSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegate in an interface cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceDelegateSpecifier1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceDelegateSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Enum in an interface cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceEnumSpecifier1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceEnumSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an Interface declaration.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceFlags1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface in an interface cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceInterfaceSpecifier1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceInterfaceSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an interface method declaration.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceMethodFlags1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceMethodFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Inherits&apos; statements must precede all declarations in an interface.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceOrderOnInherits() As String Get Return ResourceManager.GetString("ERR_BadInterfaceOrderOnInherits", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an interface property declaration.. '''</summary> Friend ReadOnly Property ERR_BadInterfacePropertyFlags1() As String Get Return ResourceManager.GetString("ERR_BadInterfacePropertyFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Structure in an interface cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadInterfaceStructSpecifier1() As String Get Return ResourceManager.GetString("ERR_BadInterfaceStructSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Await&apos; requires that the return type &apos;{0}&apos; of &apos;{1}.GetAwaiter()&apos; have suitable IsCompleted, OnCompleted and GetResult members, and implement INotifyCompletion or ICriticalNotifyCompletion.. '''</summary> Friend ReadOnly Property ERR_BadIsCompletedOnCompletedGetResult2() As String Get Return ResourceManager.GetString("ERR_BadIsCompletedOnCompletedGetResult2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Iterator methods cannot have ByRef parameters.. '''</summary> Friend ReadOnly Property ERR_BadIteratorByRefParam() As String Get Return ResourceManager.GetString("ERR_BadIteratorByRefParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Single-line lambdas cannot have the &apos;Iterator&apos; modifier. Use a multiline lambda instead.. '''</summary> Friend ReadOnly Property ERR_BadIteratorExpressionLambda() As String Get Return ResourceManager.GetString("ERR_BadIteratorExpressionLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Iterator functions must return either IEnumerable(Of T), or IEnumerator(Of T), or the non-generic forms IEnumerable or IEnumerator.. '''</summary> Friend ReadOnly Property ERR_BadIteratorReturn() As String Get Return ResourceManager.GetString("ERR_BadIteratorReturn", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a local constant declaration.. '''</summary> Friend ReadOnly Property ERR_BadLocalConstFlags1() As String Get Return ResourceManager.GetString("ERR_BadLocalConstFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a local variable declaration.. '''</summary> Friend ReadOnly Property ERR_BadLocalDimFlags1() As String Get Return ResourceManager.GetString("ERR_BadLocalDimFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be referenced because it is not a valid assembly.. '''</summary> Friend ReadOnly Property ERR_BadMetaDataReference1() As String Get Return ResourceManager.GetString("ERR_BadMetaDataReference1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a method declaration.. '''</summary> Friend ReadOnly Property ERR_BadMethodFlags1() As String Get Return ResourceManager.GetString("ERR_BadMethodFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to load module file &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_BadModuleFile1() As String Get Return ResourceManager.GetString("ERR_BadModuleFile1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Modules cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadModuleFlags1() As String Get Return ResourceManager.GetString("ERR_BadModuleFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a valid name and cannot be used as the root namespace name.. '''</summary> Friend ReadOnly Property ERR_BadNamespaceName1() As String Get Return ResourceManager.GetString("ERR_BadNamespaceName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable types are not allowed in conditional compilation expressions.. '''</summary> Friend ReadOnly Property ERR_BadNullTypeInCCExpression() As String Get Return ResourceManager.GetString("ERR_BadNullTypeInCCExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operators cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadOperatorFlags1() As String Get Return ResourceManager.GetString("ERR_BadOperatorFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; can be called:{1}. '''</summary> Friend ReadOnly Property ERR_BadOverloadCandidates2() As String Get Return ResourceManager.GetString("ERR_BadOverloadCandidates2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they have different access levels.. '''</summary> Friend ReadOnly Property ERR_BadOverrideAccess2() As String Get Return ResourceManager.GetString("ERR_BadOverrideAccess2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error reading debug information for &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_BadPdbData() As String Get Return ResourceManager.GetString("ERR_BadPdbData", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property accessors cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadPropertyAccessorFlags() As String Get Return ResourceManager.GetString("ERR_BadPropertyAccessorFlags", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property accessors cannot be declared &apos;{0}&apos; in a &apos;NotOverridable&apos; property.. '''</summary> Friend ReadOnly Property ERR_BadPropertyAccessorFlags1() As String Get Return ResourceManager.GetString("ERR_BadPropertyAccessorFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property accessors cannot be declared &apos;{0}&apos; in a &apos;Default&apos; property.. '''</summary> Friend ReadOnly Property ERR_BadPropertyAccessorFlags2() As String Get Return ResourceManager.GetString("ERR_BadPropertyAccessorFlags2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property cannot be declared &apos;{0}&apos; because it contains a &apos;Private&apos; accessor.. '''</summary> Friend ReadOnly Property ERR_BadPropertyAccessorFlags3() As String Get Return ResourceManager.GetString("ERR_BadPropertyAccessorFlags3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Access modifier &apos;{0}&apos; is not valid. The access modifier of &apos;Get&apos; and &apos;Set&apos; should be more restrictive than the property access level.. '''</summary> Friend ReadOnly Property ERR_BadPropertyAccessorFlagsRestrict() As String Get Return ResourceManager.GetString("ERR_BadPropertyAccessorFlagsRestrict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadPropertyFlags1() As String Get Return ResourceManager.GetString("ERR_BadPropertyFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a Structure declaration.. '''</summary> Friend ReadOnly Property ERR_BadRecordFlags1() As String Get Return ResourceManager.GetString("ERR_BadRecordFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to load referenced library &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_BadRefLib1() As String Get Return ResourceManager.GetString("ERR_BadRefLib1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The implicit return variable of an Iterator or Async method cannot be accessed.. '''</summary> Friend ReadOnly Property ERR_BadResumableAccessReturnVariable() As String Get Return ResourceManager.GetString("ERR_BadResumableAccessReturnVariable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to To return a value from an Iterator function, use &apos;Yield&apos; rather than &apos;Return&apos;.. '''</summary> Friend ReadOnly Property ERR_BadReturnValueInIterator() As String Get Return ResourceManager.GetString("ERR_BadReturnValueInIterator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot be combined.. '''</summary> Friend ReadOnly Property ERR_BadSpecifierCombo2() As String Get Return ResourceManager.GetString("ERR_BadSpecifierCombo2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Static variables cannot appear inside Async or Iterator methods.. '''</summary> Friend ReadOnly Property ERR_BadStaticInitializerInResumable() As String Get Return ResourceManager.GetString("ERR_BadStaticInitializerInResumable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variables within generic methods cannot be declared &apos;Static&apos;.. '''</summary> Friend ReadOnly Property ERR_BadStaticLocalInGenericMethod() As String Get Return ResourceManager.GetString("ERR_BadStaticLocalInGenericMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variables within methods of structures cannot be declared &apos;Static&apos;.. '''</summary> Friend ReadOnly Property ERR_BadStaticLocalInStruct() As String Get Return ResourceManager.GetString("ERR_BadStaticLocalInStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument &apos;{0}&apos; does not satisfy the &apos;Class&apos; constraint for type parameter &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadTypeArgForRefConstraint2() As String Get Return ResourceManager.GetString("ERR_BadTypeArgForRefConstraint2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument &apos;{0}&apos; does not satisfy the &apos;Structure&apos; constraint for type parameter &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_BadTypeArgForStructConstraint2() As String Get Return ResourceManager.GetString("ERR_BadTypeArgForStructConstraint2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; must be a value type or a type argument constrained to &apos;Structure&apos; in order to be used with &apos;Nullable&apos; or nullable modifier &apos;?&apos;.. '''</summary> Friend ReadOnly Property ERR_BadTypeArgForStructConstraintNull() As String Get Return ResourceManager.GetString("ERR_BadTypeArgForStructConstraintNull", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non-intrinsic type names are not allowed in conditional compilation expressions.. '''</summary> Friend ReadOnly Property ERR_BadTypeInCCExpression() As String Get Return ResourceManager.GetString("ERR_BadTypeInCCExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Void&apos; can only be used in a GetType expression.. '''</summary> Friend ReadOnly Property ERR_BadUseOfVoid() As String Get Return ResourceManager.GetString("ERR_BadUseOfVoid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on a WithEvents declaration.. '''</summary> Friend ReadOnly Property ERR_BadWithEventsFlags1() As String Get Return ResourceManager.GetString("ERR_BadWithEventsFlags1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Leading &apos;.&apos; or &apos;!&apos; can only appear inside a &apos;With&apos; statement.. '''</summary> Friend ReadOnly Property ERR_BadWithRef() As String Get Return ResourceManager.GetString("ERR_BadWithRef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Yield&apos; can only be used in a method marked with the &apos;Iterator&apos; modifier.. '''</summary> Friend ReadOnly Property ERR_BadYieldInNonIteratorMethod() As String Get Return ResourceManager.GetString("ERR_BadYieldInNonIteratorMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Yield&apos; cannot be used inside a &apos;Catch&apos; statement or a &apos;Finally&apos; statement.. '''</summary> Friend ReadOnly Property ERR_BadYieldInTryHandler() As String Get Return ResourceManager.GetString("ERR_BadYieldInTryHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Base class &apos;{0}&apos; specified for class &apos;{1}&apos; cannot be different from the base class &apos;{2}&apos; of one of its other partial types.. '''</summary> Friend ReadOnly Property ERR_BaseMismatchForPartialClass3() As String Get Return ResourceManager.GetString("ERR_BaseMismatchForPartialClass3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; must either be declared &apos;MustInherit&apos; or override the following inherited &apos;MustOverride&apos; member(s): {1}.. '''</summary> Friend ReadOnly Property ERR_BaseOnlyClassesMustBeExplicit2() As String Get Return ResourceManager.GetString("ERR_BaseOnlyClassesMustBeExplicit2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' Base type of &apos;{0}&apos; needs &apos;{1}&apos; to be resolved.. '''</summary> Friend ReadOnly Property ERR_BaseTypeReferences2() As String Get Return ResourceManager.GetString("ERR_BaseTypeReferences2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot inherit interface &apos;{0}&apos; because the interface &apos;{1}&apos; from which it inherits could be identical to interface &apos;{2}&apos; for some type arguments.. '''</summary> Friend ReadOnly Property ERR_BaseUnifiesWithInterfaces3() As String Get Return ResourceManager.GetString("ERR_BaseUnifiesWithInterfaces3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to the file &apos;{0}&apos; is not a text file. '''</summary> Friend ReadOnly Property ERR_BinaryFile() As String Get Return ResourceManager.GetString("ERR_BinaryFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; is not defined for types &apos;{1}&apos; and &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_BinaryOperands3() As String Get Return ResourceManager.GetString("ERR_BinaryOperands3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; is not defined for types &apos;{1}&apos; and &apos;{2}&apos;. You can use the &apos;Value&apos; property to get the string value of the first element of &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_BinaryOperandsForXml4() As String Get Return ResourceManager.GetString("ERR_BinaryOperandsForXml4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to At least one parameter of this binary operator must be of the containing type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_BinaryParamMustBeContainingType1() As String Get Return ResourceManager.GetString("ERR_BinaryParamMustBeContainingType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; hides a variable in an enclosing block.. '''</summary> Friend ReadOnly Property ERR_BlockLocalShadowing1() As String Get Return ResourceManager.GetString("ERR_BlockLocalShadowing1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot end a block outside of a line &apos;If&apos; statement.. '''</summary> Friend ReadOnly Property ERR_BogusWithinLineIf() As String Get Return ResourceManager.GetString("ERR_BogusWithinLineIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Branching out of a &apos;Finally&apos; is not valid.. '''</summary> Friend ReadOnly Property ERR_BranchOutOfFinally() As String Get Return ResourceManager.GetString("ERR_BranchOutOfFinally", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} parameters cannot be declared &apos;ByRef&apos;.. '''</summary> Friend ReadOnly Property ERR_ByRefIllegal1() As String Get Return ResourceManager.GetString("ERR_ByRefIllegal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to References to &apos;ByRef&apos; parameters cannot be converted to an expression tree.. '''</summary> Friend ReadOnly Property ERR_ByRefParamInExpressionTree() As String Get Return ResourceManager.GetString("ERR_ByRefParamInExpressionTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be made nullable.. '''</summary> Friend ReadOnly Property ERR_CannotBeMadeNullable1() As String Get Return ResourceManager.GetString("ERR_CannotBeMadeNullable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an event, and cannot be called directly. Use a &apos;RaiseEvent&apos; statement to raise an event.. '''</summary> Friend ReadOnly Property ERR_CannotCallEvent1() As String Get Return ResourceManager.GetString("ERR_CannotCallEvent1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value &apos;{0}&apos; cannot be converted to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_CannotConvertValue2() As String Get Return ResourceManager.GetString("ERR_CannotConvertValue2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be embedded because it has generic argument. Consider disabling the embedding of interop types.. '''</summary> Friend ReadOnly Property ERR_CannotEmbedInterfaceWithGeneric() As String Get Return ResourceManager.GetString("ERR_CannotEmbedInterfaceWithGeneric", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}{1}&apos; is not valid because &apos;{2}&apos; is inside a scope that defines a variable that is used in a lambda or query expression.. '''</summary> Friend ReadOnly Property ERR_CannotGotoNonScopeBlocksWithClosure() As String Get Return ResourceManager.GetString("ERR_CannotGotoNonScopeBlocksWithClosure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to A nullable type cannot be inferred for variable &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_CannotInferNullableForVariable1() As String Get Return ResourceManager.GetString("ERR_CannotInferNullableForVariable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type property &apos;{0}&apos; cannot be used in the definition of a lambda expression within the same initialization list.. '''</summary> Friend ReadOnly Property ERR_CannotLiftAnonymousType1() As String Get Return ResourceManager.GetString("ERR_CannotLiftAnonymousType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ByRef&apos; parameter &apos;{0}&apos; cannot be used in a lambda expression.. '''</summary> Friend ReadOnly Property ERR_CannotLiftByRefParamLambda1() As String Get Return ResourceManager.GetString("ERR_CannotLiftByRefParamLambda1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ByRef&apos; parameter &apos;{0}&apos; cannot be used in a query expression.. '''</summary> Friend ReadOnly Property ERR_CannotLiftByRefParamQuery1() As String Get Return ResourceManager.GetString("ERR_CannotLiftByRefParamQuery1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Instance of restricted type &apos;{0}&apos; cannot be used in a lambda expression.. '''</summary> Friend ReadOnly Property ERR_CannotLiftRestrictedTypeLambda() As String Get Return ResourceManager.GetString("ERR_CannotLiftRestrictedTypeLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Instance of restricted type &apos;{0}&apos; cannot be used in a query expression.. '''</summary> Friend ReadOnly Property ERR_CannotLiftRestrictedTypeQuery() As String Get Return ResourceManager.GetString("ERR_CannotLiftRestrictedTypeQuery", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable of restricted type &apos;{0}&apos; cannot be declared in an Async or Iterator method.. '''</summary> Friend ReadOnly Property ERR_CannotLiftRestrictedTypeResumable1() As String Get Return ResourceManager.GetString("ERR_CannotLiftRestrictedTypeResumable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Instance members and &apos;Me&apos; cannot be used within a lambda expression in structures.. '''</summary> Friend ReadOnly Property ERR_CannotLiftStructureMeLambda() As String Get Return ResourceManager.GetString("ERR_CannotLiftStructureMeLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Instance members and &apos;Me&apos; cannot be used within query expressions in structures.. '''</summary> Friend ReadOnly Property ERR_CannotLiftStructureMeQuery() As String Get Return ResourceManager.GetString("ERR_CannotLiftStructureMeQuery", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference to class &apos;{0}&apos; is not allowed when its assembly is configured to embed interop types.. '''</summary> Friend ReadOnly Property ERR_CannotLinkClassWithNoPIA1() As String Get Return ResourceManager.GetString("ERR_CannotLinkClassWithNoPIA1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because it is not accessible in this context.. '''</summary> Friend ReadOnly Property ERR_CannotOverrideInAccessibleMember() As String Get Return ResourceManager.GetString("ERR_CannotOverrideInAccessibleMember", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used across assembly boundaries because it has a generic type parameter that is an embedded interop type.. '''</summary> Friend ReadOnly Property ERR_CannotUseGenericTypeAcrossAssemblyBoundaries() As String Get Return ResourceManager.GetString("ERR_CannotUseGenericTypeAcrossAssemblyBoundaries", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method cannot contain both a &apos;{0}&apos; statement and a definition of a variable that is used in a lambda or query expression.. '''</summary> Friend ReadOnly Property ERR_CannotUseOnErrorGotoWithClosure() As String Get Return ResourceManager.GetString("ERR_CannotUseOnErrorGotoWithClosure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constant cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_CantAssignToConst() As String Get Return ResourceManager.GetString("ERR_CantAssignToConst", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; does not return a Task and cannot be awaited. Consider changing it to an Async Function.. '''</summary> Friend ReadOnly Property ERR_CantAwaitAsyncSub1() As String Get Return ResourceManager.GetString("ERR_CantAwaitAsyncSub1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;If&apos; operator cannot be used in a &apos;Call&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CantCallIIF() As String Get Return ResourceManager.GetString("ERR_CantCallIIF", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An Object Initializer and a Collection Initializer cannot be combined in the same initialization.. '''</summary> Friend ReadOnly Property ERR_CantCombineInitializers() As String Get Return ResourceManager.GetString("ERR_CantCombineInitializers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conflicting options specified: Win32 resource file; Win32 manifest.. '''</summary> Friend ReadOnly Property ERR_CantHaveWin32ResAndManifest() As String Get Return ResourceManager.GetString("ERR_CantHaveWin32ResAndManifest", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to can&apos;t open &apos;{0}&apos; for writing: {1}. '''</summary> Friend ReadOnly Property ERR_CantOpenFileWrite() As String Get Return ResourceManager.GetString("ERR_CantOpenFileWrite", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because it is not declared &apos;Overridable&apos;.. '''</summary> Friend ReadOnly Property ERR_CantOverride4() As String Get Return ResourceManager.GetString("ERR_CantOverride4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot be declared &apos;Overrides&apos;.. '''</summary> Friend ReadOnly Property ERR_CantOverrideConstructor() As String Get Return ResourceManager.GetString("ERR_CantOverrideConstructor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because it is declared &apos;NotOverridable&apos;.. '''</summary> Friend ReadOnly Property ERR_CantOverrideNotOverridable2() As String Get Return ResourceManager.GetString("ERR_CantOverrideNotOverridable2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Derived classes cannot raise base class events.. '''</summary> Friend ReadOnly Property ERR_CantRaiseBaseEvent() As String Get Return ResourceManager.GetString("ERR_CantRaiseBaseEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error reading ruleset file {0} - {1}. '''</summary> Friend ReadOnly Property ERR_CantReadRulesetFile() As String Get Return ResourceManager.GetString("ERR_CantReadRulesetFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot refer to itself through its default instance; use &apos;Me&apos; instead.. '''</summary> Friend ReadOnly Property ERR_CantReferToMyGroupInsideGroupType1() As String Get Return ResourceManager.GetString("ERR_CantReferToMyGroupInsideGroupType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot shadow a method declared &apos;MustOverride&apos;.. '''</summary> Friend ReadOnly Property ERR_CantShadowAMustOverride1() As String Get Return ResourceManager.GetString("ERR_CantShadowAMustOverride1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable modifier &apos;?&apos; and array modifiers &apos;(&apos; and &apos;)&apos; cannot be specified on both a variable and its type.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyArrayAndNullableOnBoth() As String Get Return ResourceManager.GetString("ERR_CantSpecifyArrayAndNullableOnBoth", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array modifiers cannot be specified on both a variable and its type.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyArraysOnBoth() As String Get Return ResourceManager.GetString("ERR_CantSpecifyArraysOnBoth", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable modifier cannot be specified in variable declarations with &apos;As New&apos;.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyAsNewAndNullable() As String Get Return ResourceManager.GetString("ERR_CantSpecifyAsNewAndNullable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable modifier cannot be specified on both a variable and its type.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyNullableOnBoth() As String Get Return ResourceManager.GetString("ERR_CantSpecifyNullableOnBoth", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array modifiers cannot be specified on lambda expression parameter name. They must be specified on its type.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyParamsOnLambdaParamNoType() As String Get Return ResourceManager.GetString("ERR_CantSpecifyParamsOnLambdaParamNoType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expressions used with an &apos;If&apos; expression cannot contain type characters.. '''</summary> Friend ReadOnly Property ERR_CantSpecifyTypeCharacterOnIIF() As String Get Return ResourceManager.GetString("ERR_CantSpecifyTypeCharacterOnIIF", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Throw&apos; operand must derive from &apos;System.Exception&apos;.. '''</summary> Friend ReadOnly Property ERR_CantThrowNonException() As String Get Return ResourceManager.GetString("ERR_CantThrowNonException", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The RequiredAttribute attribute is not permitted on Visual Basic types.. '''</summary> Friend ReadOnly Property ERR_CantUseRequiredAttribute() As String Get Return ResourceManager.GetString("ERR_CantUseRequiredAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Case&apos; cannot follow a &apos;Case Else&apos; in the same &apos;Select&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CaseAfterCaseElse() As String Get Return ResourceManager.GetString("ERR_CaseAfterCaseElse", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Case Else&apos; can only appear inside a &apos;Select Case&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CaseElseNoSelect() As String Get Return ResourceManager.GetString("ERR_CaseElseNoSelect", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Case&apos; can only appear inside a &apos;Select Case&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CaseNoSelect() As String Get Return ResourceManager.GetString("ERR_CaseNoSelect", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; cannot appear after &apos;Finally&apos; within a &apos;Try&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CatchAfterFinally() As String Get Return ResourceManager.GetString("ERR_CatchAfterFinally", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; cannot appear outside a &apos;Try&apos; statement.. '''</summary> Friend ReadOnly Property ERR_CatchNoMatchingTry() As String Get Return ResourceManager.GetString("ERR_CatchNoMatchingTry", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; cannot catch type &apos;{0}&apos; because it is not &apos;System.Exception&apos; or a class that inherits from &apos;System.Exception&apos;.. '''</summary> Friend ReadOnly Property ERR_CatchNotException1() As String Get Return ResourceManager.GetString("ERR_CatchNotException1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a local variable or parameter, and so cannot be used as a &apos;Catch&apos; variable.. '''</summary> Friend ReadOnly Property ERR_CatchVariableNotLocal1() As String Get Return ResourceManager.GetString("ERR_CatchVariableNotLocal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Char&apos; values cannot be converted to &apos;{0}&apos;. Use &apos;Microsoft.VisualBasic.AscW&apos; to interpret a character as a Unicode value or &apos;Microsoft.VisualBasic.Val&apos; to interpret it as a digit.. '''</summary> Friend ReadOnly Property ERR_CharToIntegralTypeMismatch1() As String Get Return ResourceManager.GetString("ERR_CharToIntegralTypeMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This inheritance causes circular dependencies between {0} &apos;{1}&apos; and its nested or base type &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_CircularBaseDependencies4() As String Get Return ResourceManager.GetString("ERR_CircularBaseDependencies4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constant &apos;{0}&apos; cannot depend on its own value.. '''</summary> Friend ReadOnly Property ERR_CircularEvaluation1() As String Get Return ResourceManager.GetString("ERR_CircularEvaluation1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of &apos;{0}&apos; cannot be inferred from an expression containing &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_CircularInference1() As String Get Return ResourceManager.GetString("ERR_CircularInference1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; conflicts with the reserved member by this name that is implicitly declared in all enums.. '''</summary> Friend ReadOnly Property ERR_ClashWithReservedEnumMember1() As String Get Return ResourceManager.GetString("ERR_ClashWithReservedEnumMember1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type constraint cannot be a &apos;NotInheritable&apos; class.. '''</summary> Friend ReadOnly Property ERR_ClassConstraintNotInheritable1() As String Get Return ResourceManager.GetString("ERR_ClassConstraintNotInheritable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot implement interface &apos;{0}&apos; because the interface &apos;{1}&apos; from which it inherits could be identical to implemented interface &apos;{2}&apos; for some type arguments.. '''</summary> Friend ReadOnly Property ERR_ClassInheritsBaseUnifiesWithInterfaces3() As String Get Return ResourceManager.GetString("ERR_ClassInheritsBaseUnifiesWithInterfaces3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot implement interface &apos;{0}&apos; because the interface &apos;{1}&apos; from which it inherits could be identical to interface &apos;{2}&apos; from which the implemented interface &apos;{3}&apos; inherits for some type arguments.. '''</summary> Friend ReadOnly Property ERR_ClassInheritsInterfaceBaseUnifiesWithBase4() As String Get Return ResourceManager.GetString("ERR_ClassInheritsInterfaceBaseUnifiesWithBase4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot implement interface &apos;{0}&apos; because it could be identical to interface &apos;{1}&apos; from which the implemented interface &apos;{2}&apos; inherits for some type arguments.. '''</summary> Friend ReadOnly Property ERR_ClassInheritsInterfaceUnifiesWithBase3() As String Get Return ResourceManager.GetString("ERR_ClassInheritsInterfaceUnifiesWithBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a class type and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_ClassNotExpression1() As String Get Return ResourceManager.GetString("ERR_ClassNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; given in a source file conflicts with option &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_CmdOptionConflictsSource() As String Get Return ResourceManager.GetString("ERR_CmdOptionConflictsSource", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implementing class &apos;{0}&apos; for interface &apos;{1}&apos; cannot be found.. '''</summary> Friend ReadOnly Property ERR_CoClassMissing2() As String Get Return ResourceManager.GetString("ERR_CoClassMissing2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; conflicts with public type defined in added module &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_CollisionWithPublicTypeInModule() As String Get Return ResourceManager.GetString("ERR_CollisionWithPublicTypeInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; and &apos;{0}&apos; cannot both be applied to the same class.. '''</summary> Friend ReadOnly Property ERR_ComClassAndReservedAttribute1() As String Get Return ResourceManager.GetString("ERR_ComClassAndReservedAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; cannot be applied to a class that is declared &apos;MustInherit&apos;.. '''</summary> Friend ReadOnly Property ERR_ComClassCantBeAbstract0() As String Get Return ResourceManager.GetString("ERR_ComClassCantBeAbstract0", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;InterfaceId&apos; and &apos;EventsId&apos; parameters for &apos;Microsoft.VisualBasic.ComClassAttribute&apos; on &apos;{0}&apos; cannot have the same value.. '''</summary> Friend ReadOnly Property ERR_ComClassDuplicateGuids1() As String Get Return ResourceManager.GetString("ERR_ComClassDuplicateGuids1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic methods cannot be exposed to COM.. '''</summary> Friend ReadOnly Property ERR_ComClassGenericMethod() As String Get Return ResourceManager.GetString("ERR_ComClassGenericMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; cannot be applied to a class that is generic or contained inside a generic type.. '''</summary> Friend ReadOnly Property ERR_ComClassOnGeneric() As String Get Return ResourceManager.GetString("ERR_ComClassOnGeneric", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; cannot be applied to &apos;{0}&apos; because it is not declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_ComClassRequiresPublicClass1() As String Get Return ResourceManager.GetString("ERR_ComClassRequiresPublicClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; cannot be applied to &apos;{0}&apos; because its container &apos;{1}&apos; is not declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_ComClassRequiresPublicClass2() As String Get Return ResourceManager.GetString("ERR_ComClassRequiresPublicClass2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DispIdAttribute&apos; cannot be applied to &apos;{0}&apos; because &apos;Microsoft.VisualBasic.ComClassAttribute&apos; reserves values less than zero.. '''</summary> Friend ReadOnly Property ERR_ComClassReservedDispId1() As String Get Return ResourceManager.GetString("ERR_ComClassReservedDispId1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DispIdAttribute&apos; cannot be applied to &apos;{0}&apos; because &apos;Microsoft.VisualBasic.ComClassAttribute&apos; reserves zero for the default property.. '''</summary> Friend ReadOnly Property ERR_ComClassReservedDispIdZero1() As String Get Return ResourceManager.GetString("ERR_ComClassReservedDispIdZero1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; must define operator &apos;{1}&apos; to be used in a &apos;{2}&apos; expression.. '''</summary> Friend ReadOnly Property ERR_ConditionOperatorRequired3() As String Get Return ResourceManager.GetString("ERR_ConditionOperatorRequired3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conflict between the default property and the &apos;DefaultMemberAttribute&apos; defined on &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConflictDefaultPropertyAttribute() As String Get Return ResourceManager.GetString("ERR_ConflictDefaultPropertyAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constraint &apos;{0}&apos; conflicts with the constraint &apos;{1}&apos; already specified for type parameter &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConflictingDirectConstraints3() As String Get Return ResourceManager.GetString("ERR_ConflictingDirectConstraints3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly and module &apos;{0}&apos; cannot target different processors.. '''</summary> Friend ReadOnly Property ERR_ConflictingMachineModule() As String Get Return ResourceManager.GetString("ERR_ConflictingMachineModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error embedding Win32 manifest: Option /win32manifest conflicts with /nowin32manifest.. '''</summary> Friend ReadOnly Property ERR_ConflictingManifestSwitches() As String Get Return ResourceManager.GetString("ERR_ConflictingManifestSwitches", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Length of String constant exceeds current memory limit. Try splitting the string into multiple constants.. '''</summary> Friend ReadOnly Property ERR_ConstantStringTooLong() As String Get Return ResourceManager.GetString("ERR_ConstantStringTooLong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constants must have a value.. '''</summary> Friend ReadOnly Property ERR_ConstantWithNoValue() As String Get Return ResourceManager.GetString("ERR_ConstantWithNoValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constants must be of an intrinsic or enumerated type, not a class, structure, type parameter, or array type.. '''</summary> Friend ReadOnly Property ERR_ConstAsNonConstant() As String Get Return ResourceManager.GetString("ERR_ConstAsNonConstant", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type constraint &apos;{0}&apos; must be either a class, interface or type parameter.. '''</summary> Friend ReadOnly Property ERR_ConstNotClassInterfaceOrTypeParam1() As String Get Return ResourceManager.GetString("ERR_ConstNotClassInterfaceOrTypeParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constraint type &apos;{0}&apos; already specified for this type parameter.. '''</summary> Friend ReadOnly Property ERR_ConstraintAlreadyExists1() As String Get Return ResourceManager.GetString("ERR_ConstraintAlreadyExists1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constraint &apos;{0}&apos; conflicts with the indirect constraint &apos;{1}&apos; obtained from the type parameter constraint &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConstraintClashDirectIndirect3() As String Get Return ResourceManager.GetString("ERR_ConstraintClashDirectIndirect3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Indirect constraint &apos;{0}&apos; obtained from the type parameter constraint &apos;{1}&apos; conflicts with the constraint &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConstraintClashIndirectDirect3() As String Get Return ResourceManager.GetString("ERR_ConstraintClashIndirectDirect3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Indirect constraint &apos;{0}&apos; obtained from the type parameter constraint &apos;{1}&apos; conflicts with the indirect constraint &apos;{2}&apos; obtained from the type parameter constraint &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConstraintClashIndirectIndirect4() As String Get Return ResourceManager.GetString("ERR_ConstraintClashIndirectIndirect4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; cannot be constrained to itself: {1}. '''</summary> Friend ReadOnly Property ERR_ConstraintCycle2() As String Get Return ResourceManager.GetString("ERR_ConstraintCycle2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos; is constrained to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConstraintCycleLink2() As String Get Return ResourceManager.GetString("ERR_ConstraintCycleLink2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be used as a type constraint.. '''</summary> Friend ReadOnly Property ERR_ConstraintIsRestrictedType1() As String Get Return ResourceManager.GetString("ERR_ConstraintIsRestrictedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constructor must not have the &apos;Async&apos; modifier.. '''</summary> Friend ReadOnly Property ERR_ConstructorAsync() As String Get Return ResourceManager.GetString("ERR_ConstructorAsync", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot be declared &apos;Partial&apos;.. '''</summary> Friend ReadOnly Property ERR_ConstructorCannotBeDeclaredPartial() As String Get Return ResourceManager.GetString("ERR_ConstructorCannotBeDeclaredPartial", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constructor must be declared as a Sub, not as a Function.. '''</summary> Friend ReadOnly Property ERR_ConstructorFunction() As String Get Return ResourceManager.GetString("ERR_ConstructorFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; has no constructors.. '''</summary> Friend ReadOnly Property ERR_ConstructorNotFound1() As String Get Return ResourceManager.GetString("ERR_ConstructorNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Continue Do&apos; can only appear inside a &apos;Do&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ContinueDoNotWithinDo() As String Get Return ResourceManager.GetString("ERR_ContinueDoNotWithinDo", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Continue For&apos; can only appear inside a &apos;For&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ContinueForNotWithinFor() As String Get Return ResourceManager.GetString("ERR_ContinueForNotWithinFor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Continue While&apos; can only appear inside a &apos;While&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ContinueWhileNotWithinWhile() As String Get Return ResourceManager.GetString("ERR_ContinueWhileNotWithinWhile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from a base type.. '''</summary> Friend ReadOnly Property ERR_ConversionFromBaseType() As String Get Return ResourceManager.GetString("ERR_ConversionFromBaseType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from a derived type.. '''</summary> Friend ReadOnly Property ERR_ConversionFromDerivedType() As String Get Return ResourceManager.GetString("ERR_ConversionFromDerivedType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from an interface type.. '''</summary> Friend ReadOnly Property ERR_ConversionFromInterfaceType() As String Get Return ResourceManager.GetString("ERR_ConversionFromInterfaceType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from Object.. '''</summary> Friend ReadOnly Property ERR_ConversionFromObject() As String Get Return ResourceManager.GetString("ERR_ConversionFromObject", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from a type to its base type.. '''</summary> Friend ReadOnly Property ERR_ConversionToBaseType() As String Get Return ResourceManager.GetString("ERR_ConversionToBaseType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from a type to its derived type.. '''</summary> Friend ReadOnly Property ERR_ConversionToDerivedType() As String Get Return ResourceManager.GetString("ERR_ConversionToDerivedType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert to an interface type.. '''</summary> Friend ReadOnly Property ERR_ConversionToInterfaceType() As String Get Return ResourceManager.GetString("ERR_ConversionToInterfaceType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert to Object.. '''</summary> Friend ReadOnly Property ERR_ConversionToObject() As String Get Return ResourceManager.GetString("ERR_ConversionToObject", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators cannot convert from a type to the same type.. '''</summary> Friend ReadOnly Property ERR_ConversionToSameType() As String Get Return ResourceManager.GetString("ERR_ConversionToSameType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value of type &apos;{0}&apos; cannot be converted to &apos;{1}&apos; because &apos;{2}&apos; is not derived from &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConvertArrayMismatch4() As String Get Return ResourceManager.GetString("ERR_ConvertArrayMismatch4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value of type &apos;{0}&apos; cannot be converted to &apos;{1}&apos; because the array types have different numbers of dimensions.. '''</summary> Friend ReadOnly Property ERR_ConvertArrayRankMismatch2() As String Get Return ResourceManager.GetString("ERR_ConvertArrayRankMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value of type &apos;{0}&apos; cannot be converted to &apos;{1}&apos; because &apos;{2}&apos; is not a reference type.. '''</summary> Friend ReadOnly Property ERR_ConvertObjectArrayMismatch3() As String Get Return ResourceManager.GetString("ERR_ConvertObjectArrayMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion operators must be declared either &apos;Widening&apos; or &apos;Narrowing&apos;.. '''</summary> Friend ReadOnly Property ERR_ConvMustBeWideningOrNarrowing() As String Get Return ResourceManager.GetString("ERR_ConvMustBeWideningOrNarrowing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Either the parameter type or the return type of this conversion operator must be of the containing type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ConvParamMustBeContainingType1() As String Get Return ResourceManager.GetString("ERR_ConvParamMustBeContainingType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot copy the value of &apos;ByRef&apos; parameter &apos;{0}&apos; back to the matching argument because type &apos;{1}&apos; cannot be converted to type &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_CopyBackTypeMismatch3() As String Get Return ResourceManager.GetString("ERR_CopyBackTypeMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cryptographic failure while creating hashes.. '''</summary> Friend ReadOnly Property ERR_CryptoHashFailed() As String Get Return ResourceManager.GetString("ERR_CryptoHashFailed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Custom&apos; modifier is not valid on events declared in interfaces.. '''</summary> Friend ReadOnly Property ERR_CustomEventInvInInterface() As String Get Return ResourceManager.GetString("ERR_CustomEventInvInInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Custom&apos; modifier is not valid on events declared without explicit delegate types.. '''</summary> Friend ReadOnly Property ERR_CustomEventRequiresAs() As String Get Return ResourceManager.GetString("ERR_CustomEventRequiresAs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion from &apos;Date&apos; to &apos;Double&apos; requires calling the &apos;Date.ToOADate&apos; method.. '''</summary> Friend ReadOnly Property ERR_DateToDoubleConversion() As String Get Return ResourceManager.GetString("ERR_DateToDoubleConversion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Debug entry point must be a definition of a method declared in the current compilation.. '''</summary> Friend ReadOnly Property ERR_DebugEntryPointNotSourceMethodDefinition() As String Get Return ResourceManager.GetString("ERR_DebugEntryPointNotSourceMethodDefinition", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Declare&apos; statements are not allowed in generic types or types contained in generic types.. '''</summary> Friend ReadOnly Property ERR_DeclaresCantBeInGeneric() As String Get Return ResourceManager.GetString("ERR_DeclaresCantBeInGeneric", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; specified by the &apos;DefaultEvent&apos; attribute is not a publicly accessible event for this class.. '''</summary> Friend ReadOnly Property ERR_DefaultEventNotFound1() As String Get Return ResourceManager.GetString("ERR_DefaultEventNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Default member of &apos;{0}&apos; is not a property.. '''</summary> Friend ReadOnly Property ERR_DefaultMemberNotProperty1() As String Get Return ResourceManager.GetString("ERR_DefaultMemberNotProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because only one is declared &apos;Default&apos;.. '''</summary> Friend ReadOnly Property ERR_DefaultMissingFromProperty2() As String Get Return ResourceManager.GetString("ERR_DefaultMissingFromProperty2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Default property access is ambiguous between the inherited interface members &apos;{0}&apos; of interface &apos;{1}&apos; and &apos;{2}&apos; of interface &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_DefaultPropertyAmbiguousAcrossInterfaces4() As String Get Return ResourceManager.GetString("ERR_DefaultPropertyAmbiguousAcrossInterfaces4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties with no required parameters cannot be declared &apos;Default&apos;.. '''</summary> Friend ReadOnly Property ERR_DefaultPropertyWithNoParams() As String Get Return ResourceManager.GetString("ERR_DefaultPropertyWithNoParams", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Default values cannot be supplied for parameters that are not declared &apos;Optional&apos;.. '''</summary> Friend ReadOnly Property ERR_DefaultValueForNonOptionalParam() As String Get Return ResourceManager.GetString("ERR_DefaultValueForNonOptionalParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to No accessible method &apos;{0}&apos; has a signature compatible with delegate &apos;{1}&apos;:{2}. '''</summary> Friend ReadOnly Property ERR_DelegateBindingFailure3() As String Get Return ResourceManager.GetString("ERR_DelegateBindingFailure3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; does not have a signature compatible with delegate &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingIncompatible2() As String Get Return ResourceManager.GetString("ERR_DelegateBindingIncompatible2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Extension Method &apos;{0}&apos; defined in &apos;{2}&apos; does not have a signature compatible with delegate &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingIncompatible3() As String Get Return ResourceManager.GetString("ERR_DelegateBindingIncompatible3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method does not have a signature compatible with the delegate.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingMismatch() As String Get Return ResourceManager.GetString("ERR_DelegateBindingMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On does not allow narrowing in implicit type conversions between method &apos;{0}&apos; and delegate &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingMismatchStrictOff2() As String Get Return ResourceManager.GetString("ERR_DelegateBindingMismatchStrictOff2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On does not allow narrowing in implicit type conversions between extension method &apos;{0}&apos; defined in &apos;{2}&apos; and delegate &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingMismatchStrictOff3() As String Get Return ResourceManager.GetString("ERR_DelegateBindingMismatchStrictOff3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type arguments could not be inferred from the delegate.. '''</summary> Friend ReadOnly Property ERR_DelegateBindingTypeInferenceFails() As String Get Return ResourceManager.GetString("ERR_DelegateBindingTypeInferenceFails", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegates cannot handle events.. '''</summary> Friend ReadOnly Property ERR_DelegateCantHandleEvents() As String Get Return ResourceManager.GetString("ERR_DelegateCantHandleEvents", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegates cannot implement interface methods.. '''</summary> Friend ReadOnly Property ERR_DelegateCantImplement() As String Get Return ResourceManager.GetString("ERR_DelegateCantImplement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegate class &apos;{0}&apos; has no Invoke method, so an expression of this type cannot be the target of a method call.. '''</summary> Friend ReadOnly Property ERR_DelegateNoInvoke1() As String Get Return ResourceManager.GetString("ERR_DelegateNoInvoke1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to a Declare.. '''</summary> Friend ReadOnly Property ERR_DllImportNotLegalOnDeclare() As String Get Return ResourceManager.GetString("ERR_DllImportNotLegalOnDeclare", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to &apos;AddHandler&apos;, &apos;RemoveHandler&apos; or &apos;RaiseEvent&apos; method.. '''</summary> Friend ReadOnly Property ERR_DllImportNotLegalOnEventMethod() As String Get Return ResourceManager.GetString("ERR_DllImportNotLegalOnEventMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to a Get or Set.. '''</summary> Friend ReadOnly Property ERR_DllImportNotLegalOnGetOrSet() As String Get Return ResourceManager.GetString("ERR_DllImportNotLegalOnGetOrSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to a method that is generic or contained in a generic type.. '''</summary> Friend ReadOnly Property ERR_DllImportOnGenericSubOrFunction() As String Get Return ResourceManager.GetString("ERR_DllImportOnGenericSubOrFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to instance method.. '''</summary> Friend ReadOnly Property ERR_DllImportOnInstanceMethod() As String Get Return ResourceManager.GetString("ERR_DllImportOnInstanceMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to interface methods.. '''</summary> Friend ReadOnly Property ERR_DllImportOnInterfaceMethod() As String Get Return ResourceManager.GetString("ERR_DllImportOnInterfaceMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to a Sub, Function, or Operator with a non-empty body.. '''</summary> Friend ReadOnly Property ERR_DllImportOnNonEmptySubOrFunction() As String Get Return ResourceManager.GetString("ERR_DllImportOnNonEmptySubOrFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Runtime.InteropServices.DllImportAttribute&apos; cannot be applied to an Async or Iterator method.. '''</summary> Friend ReadOnly Property ERR_DllImportOnResumableMethod() As String Get Return ResourceManager.GetString("ERR_DllImportOnResumableMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; does not implement &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_DoesntImplementAwaitInterface2() As String Get Return ResourceManager.GetString("ERR_DoesntImplementAwaitInterface2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion from &apos;Double&apos; to &apos;Date&apos; requires calling the &apos;Date.FromOADate&apos; method.. '''</summary> Friend ReadOnly Property ERR_DoubleToDateConversion() As String Get Return ResourceManager.GetString("ERR_DoubleToDateConversion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML DTDs are not supported.. '''</summary> Friend ReadOnly Property ERR_DTDNotSupported() As String Get Return ResourceManager.GetString("ERR_DTDNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Only one of &apos;Public&apos;, &apos;Private&apos;, &apos;Protected&apos;, &apos;Friend&apos;, or &apos;Protected Friend&apos; can be specified.. '''</summary> Friend ReadOnly Property ERR_DuplicateAccessCategoryUsed() As String Get Return ResourceManager.GetString("ERR_DuplicateAccessCategoryUsed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateAddHandlerDef() As String Get Return ResourceManager.GetString("ERR_DuplicateAddHandlerDef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Multiple initializations of &apos;{0}&apos;. Fields and properties can be initialized only once in an object initializer expression.. '''</summary> Friend ReadOnly Property ERR_DuplicateAggrMemberInit1() As String Get Return ResourceManager.GetString("ERR_DuplicateAggrMemberInit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Anonymous type member or property &apos;{0}&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateAnonTypeMemberName1() As String Get Return ResourceManager.GetString("ERR_DuplicateAnonTypeMemberName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Widening&apos; and &apos;Narrowing&apos; cannot be combined.. '''</summary> Friend ReadOnly Property ERR_DuplicateConversionCategoryUsed() As String Get Return ResourceManager.GetString("ERR_DuplicateConversionCategoryUsed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Default&apos; can be applied to only one property name in a {0}.. '''</summary> Friend ReadOnly Property ERR_DuplicateDefaultProps1() As String Get Return ResourceManager.GetString("ERR_DuplicateDefaultProps1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace or type &apos;{0}&apos; has already been imported.. '''</summary> Friend ReadOnly Property ERR_DuplicateImport1() As String Get Return ResourceManager.GetString("ERR_DuplicateImport1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be inherited more than once.. '''</summary> Friend ReadOnly Property ERR_DuplicateInInherits1() As String Get Return ResourceManager.GetString("ERR_DuplicateInInherits1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable &apos;{0}&apos; is already declared in the current block.. '''</summary> Friend ReadOnly Property ERR_DuplicateLocals1() As String Get Return ResourceManager.GetString("ERR_DuplicateLocals1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Static local variable &apos;{0}&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateLocalStatic1() As String Get Return ResourceManager.GetString("ERR_DuplicateLocalStatic1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot embed interop type &apos;{0}&apos; found in both assembly &apos;{1}&apos; and &apos;{2}&apos;. Consider disabling the embedding of interop types.. '''</summary> Friend ReadOnly Property ERR_DuplicateLocalTypes3() As String Get Return ResourceManager.GetString("ERR_DuplicateLocalTypes3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Only one of &apos;NotOverridable&apos;, &apos;MustOverride&apos;, or &apos;Overridable&apos; can be specified.. '''</summary> Friend ReadOnly Property ERR_DuplicateModifierCategoryUsed() As String Get Return ResourceManager.GetString("ERR_DuplicateModifierCategoryUsed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Alias &apos;{0}&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateNamedImportAlias1() As String Get Return ResourceManager.GetString("ERR_DuplicateNamedImportAlias1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option {0}&apos; statement can only appear once per file.. '''</summary> Friend ReadOnly Property ERR_DuplicateOption1() As String Get Return ResourceManager.GetString("ERR_DuplicateOption1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter specifier is duplicated.. '''</summary> Friend ReadOnly Property ERR_DuplicateParameterSpecifier() As String Get Return ResourceManager.GetString("ERR_DuplicateParameterSpecifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter already declared with name &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_DuplicateParamName1() As String Get Return ResourceManager.GetString("ERR_DuplicateParamName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML namespace prefix &apos;{0}&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicatePrefix() As String Get Return ResourceManager.GetString("ERR_DuplicatePrefix", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has multiple definitions with identical signatures.. '''</summary> Friend ReadOnly Property ERR_DuplicateProcDef1() As String Get Return ResourceManager.GetString("ERR_DuplicateProcDef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Get&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicatePropertyGet() As String Get Return ResourceManager.GetString("ERR_DuplicatePropertyGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicatePropertySet() As String Get Return ResourceManager.GetString("ERR_DuplicatePropertySet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RaiseEvent&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateRaiseEventDef() As String Get Return ResourceManager.GetString("ERR_DuplicateRaiseEventDef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic type &apos;{0}&apos; cannot be imported more than once.. '''</summary> Friend ReadOnly Property ERR_DuplicateRawGenericTypeImport1() As String Get Return ResourceManager.GetString("ERR_DuplicateRawGenericTypeImport1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Project already has a reference to assembly &apos;{0}&apos;. A second reference to &apos;{1}&apos; cannot be added.. '''</summary> Friend ReadOnly Property ERR_DuplicateReference2() As String Get Return ResourceManager.GetString("ERR_DuplicateReference2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Multiple assemblies with equivalent identity have been imported: &apos;{0}&apos; and &apos;{1}&apos;. Remove one of the duplicate references.. '''</summary> Friend ReadOnly Property ERR_DuplicateReferenceStrong() As String Get Return ResourceManager.GetString("ERR_DuplicateReferenceStrong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RemoveHandler&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_DuplicateRemoveHandlerDef() As String Get Return ResourceManager.GetString("ERR_DuplicateRemoveHandlerDef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Each linked resource and module must have a unique filename. Filename &apos;{0}&apos; is specified more than once in this assembly.. '''</summary> Friend ReadOnly Property ERR_DuplicateResourceFileName1() As String Get Return ResourceManager.GetString("ERR_DuplicateResourceFileName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Resource name &apos;{0}&apos; cannot be used more than once.. '''</summary> Friend ReadOnly Property ERR_DuplicateResourceName1() As String Get Return ResourceManager.GetString("ERR_DuplicateResourceName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Specifier is duplicated.. '''</summary> Friend ReadOnly Property ERR_DuplicateSpecifier() As String Get Return ResourceManager.GetString("ERR_DuplicateSpecifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter already declared with name &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_DuplicateTypeParamName1() As String Get Return ResourceManager.GetString("ERR_DuplicateTypeParamName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; and &apos;WriteOnly&apos; cannot be combined.. '''</summary> Friend ReadOnly Property ERR_DuplicateWriteabilityCategoryUsed() As String Get Return ResourceManager.GetString("ERR_DuplicateWriteabilityCategoryUsed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Duplicate XML attribute &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_DuplicateXmlAttribute() As String Get Return ResourceManager.GetString("ERR_DuplicateXmlAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ElseIf&apos; must be preceded by a matching &apos;If&apos; or &apos;ElseIf&apos;.. '''</summary> Friend ReadOnly Property ERR_ElseIfNoMatchingIf() As String Get Return ResourceManager.GetString("ERR_ElseIfNoMatchingIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Else&apos; must be preceded by a matching &apos;If&apos; or &apos;ElseIf&apos;.. '''</summary> Friend ReadOnly Property ERR_ElseNoMatchingIf() As String Get Return ResourceManager.GetString("ERR_ElseNoMatchingIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An embedded expression cannot be used here.. '''</summary> Friend ReadOnly Property ERR_EmbeddedExpression() As String Get Return ResourceManager.GetString("ERR_EmbeddedExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An aggregate collection initializer entry must contain at least one element.. '''</summary> Friend ReadOnly Property ERR_EmptyAggregateInitializer() As String Get Return ResourceManager.GetString("ERR_EmptyAggregateInitializer", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot continue since the edit includes a reference to an embedded type: &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_EncNoPIAReference() As String Get Return ResourceManager.GetString("ERR_EncNoPIAReference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot emit debug information for a source text without encoding.. '''</summary> Friend ReadOnly Property ERR_EncodinglessSyntaxTree() As String Get Return ResourceManager.GetString("ERR_EncodinglessSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; added during the current debug session can only be accessed from within its declaring assembly &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_EncReferenceToAddedMember() As String Get Return ResourceManager.GetString("ERR_EncReferenceToAddedMember", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot update &apos;{0}&apos;; attribute &apos;{1}&apos; is missing.. '''</summary> Friend ReadOnly Property ERR_EncUpdateFailedMissingAttribute() As String Get Return ResourceManager.GetString("ERR_EncUpdateFailedMissingAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Class&apos; must be preceded by a matching &apos;Class&apos;.. '''</summary> Friend ReadOnly Property ERR_EndClassNoClass() As String Get Return ResourceManager.GetString("ERR_EndClassNoClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End&apos; statement cannot be used in class library projects.. '''</summary> Friend ReadOnly Property ERR_EndDisallowedInDllProjects() As String Get Return ResourceManager.GetString("ERR_EndDisallowedInDllProjects", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#End ExternalSource&apos; must be preceded by a matching &apos;#ExternalSource&apos;.. '''</summary> Friend ReadOnly Property ERR_EndExternalSource() As String Get Return ResourceManager.GetString("ERR_EndExternalSource", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Function&apos; expected.. '''</summary> Friend ReadOnly Property ERR_EndFunctionExpected() As String Get Return ResourceManager.GetString("ERR_EndFunctionExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End If&apos; must be preceded by a matching &apos;If&apos;.. '''</summary> Friend ReadOnly Property ERR_EndIfNoMatchingIf() As String Get Return ResourceManager.GetString("ERR_EndIfNoMatchingIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Module&apos; must be preceded by a matching &apos;Module&apos;.. '''</summary> Friend ReadOnly Property ERR_EndModuleNoModule() As String Get Return ResourceManager.GetString("ERR_EndModuleNoModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Namespace&apos; must be preceded by a matching &apos;Namespace&apos;.. '''</summary> Friend ReadOnly Property ERR_EndNamespaceNoNamespace() As String Get Return ResourceManager.GetString("ERR_EndNamespaceNoNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Operator&apos; expected.. '''</summary> Friend ReadOnly Property ERR_EndOperatorExpected() As String Get Return ResourceManager.GetString("ERR_EndOperatorExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Operator&apos; must be the first statement on a line.. '''</summary> Friend ReadOnly Property ERR_EndOperatorNotAtLineStart() As String Get Return ResourceManager.GetString("ERR_EndOperatorNotAtLineStart", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property missing &apos;End Property&apos;.. '''</summary> Friend ReadOnly Property ERR_EndProp() As String Get Return ResourceManager.GetString("ERR_EndProp", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#End Region&apos; must be preceded by a matching &apos;#Region&apos;.. '''</summary> Friend ReadOnly Property ERR_EndRegionNoRegion() As String Get Return ResourceManager.GetString("ERR_EndRegionNoRegion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Select&apos; must be preceded by a matching &apos;Select Case&apos;.. '''</summary> Friend ReadOnly Property ERR_EndSelectNoSelect() As String Get Return ResourceManager.GetString("ERR_EndSelectNoSelect", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Structure&apos; must be preceded by a matching &apos;Structure&apos;.. '''</summary> Friend ReadOnly Property ERR_EndStructureNoStructure() As String Get Return ResourceManager.GetString("ERR_EndStructureNoStructure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Sub&apos; expected.. '''</summary> Friend ReadOnly Property ERR_EndSubExpected() As String Get Return ResourceManager.GetString("ERR_EndSubExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End SyncLock&apos; must be preceded by a matching &apos;SyncLock&apos;.. '''</summary> Friend ReadOnly Property ERR_EndSyncLockNoSyncLock() As String Get Return ResourceManager.GetString("ERR_EndSyncLockNoSyncLock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Try&apos; must be preceded by a matching &apos;Try&apos;.. '''</summary> Friend ReadOnly Property ERR_EndTryNoTry() As String Get Return ResourceManager.GetString("ERR_EndTryNoTry", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Using&apos; must be preceded by a matching &apos;Using&apos;.. '''</summary> Friend ReadOnly Property ERR_EndUsingWithoutUsing() As String Get Return ResourceManager.GetString("ERR_EndUsingWithoutUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End While&apos; must be preceded by a matching &apos;While&apos;.. '''</summary> Friend ReadOnly Property ERR_EndWhileNoWhile() As String Get Return ResourceManager.GetString("ERR_EndWhileNoWhile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End With&apos; must be preceded by a matching &apos;With&apos;.. '''</summary> Friend ReadOnly Property ERR_EndWithWithoutWith() As String Get Return ResourceManager.GetString("ERR_EndWithWithoutWith", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an Enum type and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_EnumNotExpression1() As String Get Return ResourceManager.GetString("ERR_EnumNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to You must reference at least one range variable on both sides of the &apos;Equals&apos; operator. Range variable(s) {0} must appear on one side of the &apos;Equals&apos; operator, and range variable(s) {1} must appear on the other.. '''</summary> Friend ReadOnly Property ERR_EqualsOperandIsBad() As String Get Return ResourceManager.GetString("ERR_EqualsOperandIsBad", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Equals&apos; cannot compare a value of type &apos;{0}&apos; with a value of type &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_EqualsTypeMismatch() As String Get Return ResourceManager.GetString("ERR_EqualsTypeMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error creating Win32 resources: {0}. '''</summary> Friend ReadOnly Property ERR_ErrorCreatingWin32ResourceFile() As String Get Return ResourceManager.GetString("ERR_ErrorCreatingWin32ResourceFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; and &apos;RemoveHandler&apos; method parameters cannot be declared &apos;ByRef&apos;.. '''</summary> Friend ReadOnly Property ERR_EventAddRemoveByrefParamIllegal() As String Get Return ResourceManager.GetString("ERR_EventAddRemoveByrefParamIllegal", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; and &apos;RemoveHandler&apos; methods must have exactly one parameter.. '''</summary> Friend ReadOnly Property ERR_EventAddRemoveHasOnlyOneParam() As String Get Return ResourceManager.GetString("ERR_EventAddRemoveHasOnlyOneParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events cannot be declared with a delegate type that has a return type.. '''</summary> Friend ReadOnly Property ERR_EventDelegatesCantBeFunctions() As String Get Return ResourceManager.GetString("ERR_EventDelegatesCantBeFunctions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; cannot handle event &apos;{1}&apos; because they do not have a compatible signature.. '''</summary> Friend ReadOnly Property ERR_EventHandlerSignatureIncompatible2() As String Get Return ResourceManager.GetString("ERR_EventHandlerSignatureIncompatible2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; cannot implement event &apos;{1}&apos; on interface &apos;{2}&apos; because their delegate types &apos;{3}&apos; and &apos;{4}&apos; do not match.. '''</summary> Friend ReadOnly Property ERR_EventImplMismatch5() As String Get Return ResourceManager.GetString("ERR_EventImplMismatch5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; cannot implement event &apos;{1}&apos; on interface &apos;{2}&apos; because the parameters of their &apos;RemoveHandler&apos; methods do not match.. '''</summary> Friend ReadOnly Property ERR_EventImplRemoveHandlerParamWrong() As String Get Return ResourceManager.GetString("ERR_EventImplRemoveHandlerParamWrong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos;, &apos;RemoveHandler&apos; and &apos;RaiseEvent&apos; method parameters cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_EventMethodOptionalParamIllegal1() As String Get Return ResourceManager.GetString("ERR_EventMethodOptionalParamIllegal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Source interface &apos;{0}&apos; is missing method &apos;{1}&apos;, which is required to embed event &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_EventNoPIANoBackingMember() As String Get Return ResourceManager.GetString("ERR_EventNoPIANoBackingMember", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; cannot be found.. '''</summary> Friend ReadOnly Property ERR_EventNotFound1() As String Get Return ResourceManager.GetString("ERR_EventNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events cannot have a return type.. '''</summary> Friend ReadOnly Property ERR_EventsCantBeFunctions() As String Get Return ResourceManager.GetString("ERR_EventsCantBeFunctions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;WithEvents&apos; variables cannot be typed as arrays.. '''</summary> Friend ReadOnly Property ERR_EventSourceIsArray() As String Get Return ResourceManager.GetString("ERR_EventSourceIsArray", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events declared with an &apos;As&apos; clause must have a delegate type.. '''</summary> Friend ReadOnly Property ERR_EventTypeNotDelegate() As String Get Return ResourceManager.GetString("ERR_EventTypeNotDelegate", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear outside of a method body.. '''</summary> Friend ReadOnly Property ERR_ExecutableAsDeclaration() As String Get Return ResourceManager.GetString("ERR_ExecutableAsDeclaration", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Do&apos; can only appear inside a &apos;Do&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ExitDoNotWithinDo() As String Get Return ResourceManager.GetString("ERR_ExitDoNotWithinDo", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit AddHandler&apos;, &apos;Exit RemoveHandler&apos; and &apos;Exit RaiseEvent&apos; are not valid. Use &apos;Return&apos; to exit from event members.. '''</summary> Friend ReadOnly Property ERR_ExitEventMemberNotInvalid() As String Get Return ResourceManager.GetString("ERR_ExitEventMemberNotInvalid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit For&apos; can only appear inside a &apos;For&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ExitForNotWithinFor() As String Get Return ResourceManager.GetString("ERR_ExitForNotWithinFor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Function&apos; is not valid in a Sub or Property.. '''</summary> Friend ReadOnly Property ERR_ExitFuncOfSub() As String Get Return ResourceManager.GetString("ERR_ExitFuncOfSub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Operator&apos; is not valid. Use &apos;Return&apos; to exit an operator.. '''</summary> Friend ReadOnly Property ERR_ExitOperatorNotValid() As String Get Return ResourceManager.GetString("ERR_ExitOperatorNotValid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Property&apos; is not valid in a Function or Sub.. '''</summary> Friend ReadOnly Property ERR_ExitPropNot() As String Get Return ResourceManager.GetString("ERR_ExitPropNot", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Select&apos; can only appear inside a &apos;Select&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ExitSelectNotWithinSelect() As String Get Return ResourceManager.GetString("ERR_ExitSelectNotWithinSelect", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Sub&apos; is not valid in a Function or Property.. '''</summary> Friend ReadOnly Property ERR_ExitSubOfFunc() As String Get Return ResourceManager.GetString("ERR_ExitSubOfFunc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit Try&apos; can only appear inside a &apos;Try&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ExitTryNotWithinTry() As String Get Return ResourceManager.GetString("ERR_ExitTryNotWithinTry", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit While&apos; can only appear inside a &apos;While&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ExitWhileNotWithinWhile() As String Get Return ResourceManager.GetString("ERR_ExitWhileNotWithinWhile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;And&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedAnd() As String Get Return ResourceManager.GetString("ERR_ExpectedAnd", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; statement requires an array.. '''</summary> Friend ReadOnly Property ERR_ExpectedArray1() As String Get Return ResourceManager.GetString("ERR_ExpectedArray1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;As&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedAs() As String Get Return ResourceManager.GetString("ERR_ExpectedAs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;=&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedAssignmentOperator() As String Get Return ResourceManager.GetString("ERR_ExpectedAssignmentOperator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;=&apos; expected (object initializer).. '''</summary> Friend ReadOnly Property ERR_ExpectedAssignmentOperatorInInit() As String Get Return ResourceManager.GetString("ERR_ExpectedAssignmentOperatorInInit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;By&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedBy() As String Get Return ResourceManager.GetString("ERR_ExpectedBy", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statements and labels are not valid between &apos;Select Case&apos; and first &apos;Case&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedCase() As String Get Return ResourceManager.GetString("ERR_ExpectedCase", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Comma expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedComma() As String Get Return ResourceManager.GetString("ERR_ExpectedComma", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;If&apos;, &apos;ElseIf&apos;, &apos;Else&apos;, &apos;Const&apos;, &apos;Region&apos;, &apos;ExternalSource&apos;, &apos;ExternalChecksum&apos;, &apos;Enable&apos;, &apos;Disable&apos;, &apos;End&apos; or &apos;R&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedConditionalDirective() As String Get Return ResourceManager.GetString("ERR_ExpectedConditionalDirective", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Continue&apos; must be followed by &apos;Do&apos;, &apos;For&apos; or &apos;While&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedContinueKind() As String Get Return ResourceManager.GetString("ERR_ExpectedContinueKind", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Declaration expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedDeclaration() As String Get Return ResourceManager.GetString("ERR_ExpectedDeclaration", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected &apos;/&apos; for XML end tag.. '''</summary> Friend ReadOnly Property ERR_ExpectedDiv() As String Get Return ResourceManager.GetString("ERR_ExpectedDiv", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;.&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedDot() As String Get Return ResourceManager.GetString("ERR_ExpectedDot", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Global&apos; must be followed by &apos;.&apos; and an identifier.. '''</summary> Friend ReadOnly Property ERR_ExpectedDotAfterGlobalNameSpace() As String Get Return ResourceManager.GetString("ERR_ExpectedDotAfterGlobalNameSpace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MyBase&apos; must be followed by &apos;.&apos; and an identifier.. '''</summary> Friend ReadOnly Property ERR_ExpectedDotAfterMyBase() As String Get Return ResourceManager.GetString("ERR_ExpectedDotAfterMyBase", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MyClass&apos; must be followed by &apos;.&apos; and an identifier.. '''</summary> Friend ReadOnly Property ERR_ExpectedDotAfterMyClass() As String Get Return ResourceManager.GetString("ERR_ExpectedDotAfterMyClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Class&apos; statement must end with a matching &apos;End Class&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndClass() As String Get Return ResourceManager.GetString("ERR_ExpectedEndClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#ExternalSource&apos; statement must end with a matching &apos;#End ExternalSource&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndExternalSource() As String Get Return ResourceManager.GetString("ERR_ExpectedEndExternalSource", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;If&apos; must end with a matching &apos;End If&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndIf() As String Get Return ResourceManager.GetString("ERR_ExpectedEndIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Module&apos; statement must end with a matching &apos;End Module&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndModule() As String Get Return ResourceManager.GetString("ERR_ExpectedEndModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Namespace&apos; statement must end with a matching &apos;End Namespace&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndNamespace() As String Get Return ResourceManager.GetString("ERR_ExpectedEndNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to End of expression expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndOfExpression() As String Get Return ResourceManager.GetString("ERR_ExpectedEndOfExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#Region&apos; statement must end with a matching &apos;#End Region&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndRegion() As String Get Return ResourceManager.GetString("ERR_ExpectedEndRegion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Select Case&apos; must end with a matching &apos;End Select&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndSelect() As String Get Return ResourceManager.GetString("ERR_ExpectedEndSelect", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Structure&apos; statement must end with a matching &apos;End Structure&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndStructure() As String Get Return ResourceManager.GetString("ERR_ExpectedEndStructure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;SyncLock&apos; statement must end with a matching &apos;End SyncLock&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndSyncLock() As String Get Return ResourceManager.GetString("ERR_ExpectedEndSyncLock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Try&apos; must end with a matching &apos;End Try&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndTry() As String Get Return ResourceManager.GetString("ERR_ExpectedEndTry", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Using&apos; must end with a matching &apos;End Using&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndUsing() As String Get Return ResourceManager.GetString("ERR_ExpectedEndUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;While&apos; must end with a matching &apos;End While&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndWhile() As String Get Return ResourceManager.GetString("ERR_ExpectedEndWhile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;With&apos; must end with a matching &apos;End With&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedEndWith() As String Get Return ResourceManager.GetString("ERR_ExpectedEndWith", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to End of statement expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedEOS() As String Get Return ResourceManager.GetString("ERR_ExpectedEOS", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;=&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedEQ() As String Get Return ResourceManager.GetString("ERR_ExpectedEQ", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Equals&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedEquals() As String Get Return ResourceManager.GetString("ERR_ExpectedEquals", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Exit&apos; must be followed by &apos;Sub&apos;, &apos;Function&apos;, &apos;Property&apos;, &apos;Do&apos;, &apos;For&apos;, &apos;While&apos;, &apos;Select&apos;, or &apos;Try&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedExitKind() As String Get Return ResourceManager.GetString("ERR_ExpectedExitKind", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedExpression() As String Get Return ResourceManager.GetString("ERR_ExpectedExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option&apos; must be followed by &apos;Compare&apos;, &apos;Explicit&apos;, &apos;Infer&apos;, or &apos;Strict&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedForOptionStmt() As String Get Return ResourceManager.GetString("ERR_ExpectedForOptionStmt", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;From&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedFrom() As String Get Return ResourceManager.GetString("ERR_ExpectedFrom", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;&gt;&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedGreater() As String Get Return ResourceManager.GetString("ERR_ExpectedGreater", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Identifier expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedIdentifier() As String Get Return ResourceManager.GetString("ERR_ExpectedIdentifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Group&apos; or an identifier expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedIdentifierOrGroup() As String Get Return ResourceManager.GetString("ERR_ExpectedIdentifierOrGroup", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;In&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedIn() As String Get Return ResourceManager.GetString("ERR_ExpectedIn", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;In&apos; or &apos;=&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedInOrEq() As String Get Return ResourceManager.GetString("ERR_ExpectedInOrEq", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Integer constant expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedIntLiteral() As String Get Return ResourceManager.GetString("ERR_ExpectedIntLiteral", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Into&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedInto() As String Get Return ResourceManager.GetString("ERR_ExpectedInto", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Join&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedJoin() As String Get Return ResourceManager.GetString("ERR_ExpectedJoin", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedLbrace() As String Get Return ResourceManager.GetString("ERR_ExpectedLbrace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Do&apos; must end with a matching &apos;Loop&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedLoop() As String Get Return ResourceManager.GetString("ERR_ExpectedLoop", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;(&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedLparen() As String Get Return ResourceManager.GetString("ERR_ExpectedLparen", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected beginning &apos;&lt;&apos; for an XML tag.. '''</summary> Friend ReadOnly Property ERR_ExpectedLT() As String Get Return ResourceManager.GetString("ERR_ExpectedLT", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;-&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedMinus() As String Get Return ResourceManager.GetString("ERR_ExpectedMinus", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Named argument expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedNamedArgument() As String Get Return ResourceManager.GetString("ERR_ExpectedNamedArgument", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;For&apos; must end with a matching &apos;Next&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedNext() As String Get Return ResourceManager.GetString("ERR_ExpectedNext", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedOn() As String Get Return ResourceManager.GetString("ERR_ExpectedOn", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Optional&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedOptional() As String Get Return ResourceManager.GetString("ERR_ExpectedOptional", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Compare&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedOptionCompare() As String Get Return ResourceManager.GetString("ERR_ExpectedOptionCompare", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression is not a method.. '''</summary> Friend ReadOnly Property ERR_ExpectedProcedure() As String Get Return ResourceManager.GetString("ERR_ExpectedProcedure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name of field or property being initialized in an object initializer must start with &apos;.&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedQualifiedNameInInit() As String Get Return ResourceManager.GetString("ERR_ExpectedQualifiedNameInInit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression of type &apos;{0}&apos; is not queryable. Make sure you are not missing an assembly reference and/or namespace import for the LINQ provider.. '''</summary> Friend ReadOnly Property ERR_ExpectedQueryableSource() As String Get Return ResourceManager.GetString("ERR_ExpectedQueryableSource", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected matching closing double quote for XML attribute value.. '''</summary> Friend ReadOnly Property ERR_ExpectedQuote() As String Get Return ResourceManager.GetString("ERR_ExpectedQuote", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;}&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedRbrace() As String Get Return ResourceManager.GetString("ERR_ExpectedRbrace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Relational operator expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedRelational() As String Get Return ResourceManager.GetString("ERR_ExpectedRelational", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Resume&apos; or &apos;GoTo&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedResumeOrGoto() As String Get Return ResourceManager.GetString("ERR_ExpectedResumeOrGoto", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;)&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedRparen() As String Get Return ResourceManager.GetString("ERR_ExpectedRparen", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected closing &apos;;&apos; for XML entity.. '''</summary> Friend ReadOnly Property ERR_ExpectedSColon() As String Get Return ResourceManager.GetString("ERR_ExpectedSColon", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected a single script (.vbx file). '''</summary> Friend ReadOnly Property ERR_ExpectedSingleScript() As String Get Return ResourceManager.GetString("ERR_ExpectedSingleScript", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected one of &apos;Dim&apos;, &apos;Const&apos;, &apos;Public&apos;, &apos;Private&apos;, &apos;Protected&apos;, &apos;Friend&apos;, &apos;Shadows&apos;, &apos;ReadOnly&apos; or &apos;Shared&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedSpecifier() As String Get Return ResourceManager.GetString("ERR_ExpectedSpecifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected matching closing single quote for XML attribute value.. '''</summary> Friend ReadOnly Property ERR_ExpectedSQuote() As String Get Return ResourceManager.GetString("ERR_ExpectedSQuote", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to String constant expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedStringLiteral() As String Get Return ResourceManager.GetString("ERR_ExpectedStringLiteral", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub&apos; or &apos;Function&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedSubFunction() As String Get Return ResourceManager.GetString("ERR_ExpectedSubFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub&apos; or &apos;Function&apos; expected after &apos;Delegate&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedSubOrFunction() As String Get Return ResourceManager.GetString("ERR_ExpectedSubOrFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Warning&apos; expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedWarningKeyword() As String Get Return ResourceManager.GetString("ERR_ExpectedWarningKeyword", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected &apos;%=&apos; at start of an embedded expression.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlBeginEmbedded() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlBeginEmbedded", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected closing &apos;]]&gt;&apos; for XML CDATA section.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlEndCData() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlEndCData", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected closing &apos;--&gt;&apos; for XML comment.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlEndComment() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlEndComment", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected closing &apos;%&gt;&apos; for embedded expression.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlEndEmbedded() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlEndEmbedded", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected closing &apos;?&gt;&apos; for XML processor instruction.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlEndPI() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlEndPI", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML name expected.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlName() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace declaration must start with &apos;xmlns&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlns() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlns", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Missing required white space.. '''</summary> Friend ReadOnly Property ERR_ExpectedXmlWhiteSpace() As String Get Return ResourceManager.GetString("ERR_ExpectedXmlWhiteSpace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; exported from module &apos;{1}&apos; conflicts with type declared in primary module of this assembly.. '''</summary> Friend ReadOnly Property ERR_ExportedTypeConflictsWithDeclaration() As String Get Return ResourceManager.GetString("ERR_ExportedTypeConflictsWithDeclaration", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; exported from module &apos;{1}&apos; conflicts with type &apos;{2}&apos; exported from module &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_ExportedTypesConflict() As String Get Return ResourceManager.GetString("ERR_ExportedTypesConflict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This expression does not have a name.. '''</summary> Friend ReadOnly Property ERR_ExpressionDoesntHaveName() As String Get Return ResourceManager.GetString("ERR_ExpressionDoesntHaveName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constant expression not representable in type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ExpressionOverflow1() As String Get Return ResourceManager.GetString("ERR_ExpressionOverflow1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression cannot be converted into an expression tree.. '''</summary> Friend ReadOnly Property ERR_ExpressionTreeNotSupported() As String Get Return ResourceManager.GetString("ERR_ExpressionTreeNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Late binding operations cannot be converted to an expression tree.. '''</summary> Friend ReadOnly Property ERR_ExprTreeNoLateBind() As String Get Return ResourceManager.GetString("ERR_ExprTreeNoLateBind", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Multi-dimensional array cannot be converted to an expression tree.. '''</summary> Friend ReadOnly Property ERR_ExprTreeNoMultiDimArrayCreation() As String Get Return ResourceManager.GetString("ERR_ExprTreeNoMultiDimArrayCreation", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The custom-designed version of &apos;System.Runtime.CompilerServices.ExtensionAttribute&apos; found by the compiler is not valid. Its attribute usage flags must be set to allow assemblies, classes, and methods.. '''</summary> Friend ReadOnly Property ERR_ExtensionAttributeInvalid() As String Get Return ResourceManager.GetString("ERR_ExtensionAttributeInvalid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Late-bound extension methods are not supported.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodCannotBeLateBound() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodCannotBeLateBound", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Extension methods must declare at least one parameter. The first parameter specifies which type to extend.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodNoParams() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodNoParams", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Extension methods can be defined only in modules.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodNotInModule() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodNotInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Optional&apos; cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodOptionalFirstArg() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodOptionalFirstArg", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' Extension method &apos;{0}&apos; defined in &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodOverloadCandidate2() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodOverloadCandidate2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' Extension method &apos;{0}&apos; defined in &apos;{1}&apos;: {2}. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodOverloadCandidate3() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodOverloadCandidate3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ParamArray&apos; cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodParamArrayFirstArg() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodParamArrayFirstArg", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Extension method &apos;{0}&apos; has type constraints that can never be satisfied.. '''</summary> Friend ReadOnly Property ERR_ExtensionMethodUncallable1() As String Get Return ResourceManager.GetString("ERR_ExtensionMethodUncallable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Extension&apos; attribute can be applied only to &apos;Module&apos;, &apos;Sub&apos;, or &apos;Function&apos; declarations.. '''</summary> Friend ReadOnly Property ERR_ExtensionOnlyAllowedOnModuleSubOrFunction() As String Get Return ResourceManager.GetString("ERR_ExtensionOnlyAllowedOnModuleSubOrFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Next&apos; statement names more variables than there are matching &apos;For&apos; statements.. '''</summary> Friend ReadOnly Property ERR_ExtraNextVariable() As String Get Return ResourceManager.GetString("ERR_ExtraNextVariable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Specifiers valid only at the beginning of a declaration.. '''</summary> Friend ReadOnly Property ERR_ExtraSpecifiers() As String Get Return ResourceManager.GetString("ERR_ExtraSpecifiers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error signing assembly &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_FailureSigningAssembly() As String Get Return ResourceManager.GetString("ERR_FailureSigningAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The field has multiple distinct constant values.. '''</summary> Friend ReadOnly Property ERR_FieldHasMultipleDistinctConstantValues() As String Get Return ResourceManager.GetString("ERR_FieldHasMultipleDistinctConstantValues", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot refer to &apos;{0}&apos; because it is a member of the value-typed field &apos;{1}&apos; of class &apos;{2}&apos; which has &apos;System.MarshalByRefObject&apos; as a base class.. '''</summary> Friend ReadOnly Property ERR_FieldOfValueFieldOfMarshalByRef3() As String Get Return ResourceManager.GetString("ERR_FieldOfValueFieldOfMarshalByRef3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Assembly&apos; or &apos;Module&apos; expected.. '''</summary> Friend ReadOnly Property ERR_FileAttributeNotAssemblyOrModule() As String Get Return ResourceManager.GetString("ERR_FileAttributeNotAssemblyOrModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to file &apos;{0}&apos; could not be found. '''</summary> Friend ReadOnly Property ERR_FileNotFound() As String Get Return ResourceManager.GetString("ERR_FileNotFound", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Finally&apos; can only appear once in a &apos;Try&apos; statement.. '''</summary> Friend ReadOnly Property ERR_FinallyAfterFinally() As String Get Return ResourceManager.GetString("ERR_FinallyAfterFinally", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Finally&apos; cannot appear outside a &apos;Try&apos; statement.. '''</summary> Friend ReadOnly Property ERR_FinallyNoMatchingTry() As String Get Return ResourceManager.GetString("ERR_FinallyNoMatchingTry", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array declared as for loop control variable cannot be declared with an initial size.. '''</summary> Friend ReadOnly Property ERR_ForCtlVarArraySizesSpecified() As String Get Return ResourceManager.GetString("ERR_ForCtlVarArraySizesSpecified", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;For Each&apos; on type &apos;{0}&apos; is ambiguous because the type implements multiple instantiations of &apos;System.Collections.Generic.IEnumerable(Of T)&apos;.. '''</summary> Friend ReadOnly Property ERR_ForEachAmbiguousIEnumerable1() As String Get Return ResourceManager.GetString("ERR_ForEachAmbiguousIEnumerable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression is of type &apos;{0}&apos;, which is not a collection type.. '''</summary> Friend ReadOnly Property ERR_ForEachCollectionDesignPattern1() As String Get Return ResourceManager.GetString("ERR_ForEachCollectionDesignPattern1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to For loop control variable &apos;{0}&apos; already in use by an enclosing For loop.. '''</summary> Friend ReadOnly Property ERR_ForIndexInUse1() As String Get Return ResourceManager.GetString("ERR_ForIndexInUse1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; must define operator &apos;{1}&apos; to be used in a &apos;For&apos; statement.. '''</summary> Friend ReadOnly Property ERR_ForLoopOperatorRequired2() As String Get Return ResourceManager.GetString("ERR_ForLoopOperatorRequired2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;For&apos; loop control variable cannot be of type &apos;{0}&apos; because the type does not support the required operators.. '''</summary> Friend ReadOnly Property ERR_ForLoopType1() As String Get Return ResourceManager.GetString("ERR_ForLoopType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Forwarded type &apos;{0}&apos; conflicts with type declared in primary module of this assembly.. '''</summary> Friend ReadOnly Property ERR_ForwardedTypeConflictsWithDeclaration() As String Get Return ResourceManager.GetString("ERR_ForwardedTypeConflictsWithDeclaration", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; forwarded to assembly &apos;{1}&apos; conflicts with type &apos;{2}&apos; exported from module &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_ForwardedTypeConflictsWithExportedType() As String Get Return ResourceManager.GetString("ERR_ForwardedTypeConflictsWithExportedType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; forwarded to assembly &apos;{1}&apos; conflicts with type &apos;{2}&apos; forwarded to assembly &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_ForwardedTypesConflict() As String Get Return ResourceManager.GetString("ERR_ForwardedTypesConflict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; in assembly &apos;{1}&apos; has been forwarded to assembly &apos;{2}&apos;. Either a reference to &apos;{2}&apos; is missing from your project or the type &apos;{0}&apos; is missing from assembly &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_ForwardedTypeUnavailable3() As String Get Return ResourceManager.GetString("ERR_ForwardedTypeUnavailable3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; cannot override member &apos;{1}&apos; defined in another assembly/project because the access modifier &apos;Protected Friend&apos; expands accessibility. Use &apos;Protected&apos; instead.. '''</summary> Friend ReadOnly Property ERR_FriendAssemblyBadAccessOverride2() As String Get Return ResourceManager.GetString("ERR_FriendAssemblyBadAccessOverride2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Friend assembly reference &apos;{0}&apos; is invalid. InternalsVisibleTo declarations cannot have a version, culture, public key token, or processor architecture specified.. '''</summary> Friend ReadOnly Property ERR_FriendAssemblyBadArguments() As String Get Return ResourceManager.GetString("ERR_FriendAssemblyBadArguments", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Friend declaration &apos;{0}&apos; is invalid and cannot be resolved.. '''</summary> Friend ReadOnly Property ERR_FriendAssemblyNameInvalid() As String Get Return ResourceManager.GetString("ERR_FriendAssemblyNameInvalid", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Friend assembly reference &apos;{0}&apos; is invalid. Strong-name signed assemblies must specify a public key in their InternalsVisibleTo declarations.. '''</summary> Friend ReadOnly Property ERR_FriendAssemblyStrongNameRequired() As String Get Return ResourceManager.GetString("ERR_FriendAssemblyStrongNameRequired", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Friend access was granted by &apos;{0}&apos;, but the public key of the output assembly does not match that specified by the attribute in the granting assembly.. '''</summary> Friend ReadOnly Property ERR_FriendRefNotEqualToThis() As String Get Return ResourceManager.GetString("ERR_FriendRefNotEqualToThis", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Friend access was granted by &apos;{0}&apos;, but the strong name signing state of the output assembly does not match that of the granting assembly.. '''</summary> Friend ReadOnly Property ERR_FriendRefSigningMismatch() As String Get Return ResourceManager.GetString("ERR_FriendRefSigningMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Full width characters are not valid as XML delimiters.. '''</summary> Friend ReadOnly Property ERR_FullWidthAsXmlDelimiter() As String Get Return ResourceManager.GetString("ERR_FullWidthAsXmlDelimiter", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has no parameters and its return type cannot be indexed.. '''</summary> Friend ReadOnly Property ERR_FunctionResultCannotBeIndexed1() As String Get Return ResourceManager.GetString("ERR_FunctionResultCannotBeIndexed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error in project-level import &apos;{0}&apos; at &apos;{1}&apos; : {2}. '''</summary> Friend ReadOnly Property ERR_GeneralProjectImportsError3() As String Get Return ResourceManager.GetString("ERR_GeneralProjectImportsError3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type arguments are not valid because attributes cannot be generic.. '''</summary> Friend ReadOnly Property ERR_GenericArgsOnAttributeSpecifier() As String Get Return ResourceManager.GetString("ERR_GenericArgsOnAttributeSpecifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Classes that are generic or contained in a generic type cannot inherit from an attribute class.. '''</summary> Friend ReadOnly Property ERR_GenericClassCannotInheritAttr() As String Get Return ResourceManager.GetString("ERR_GenericClassCannotInheritAttr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument &apos;{0}&apos; does not inherit from or implement the constraint type &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_GenericConstraintNotSatisfied2() As String Get Return ResourceManager.GetString("ERR_GenericConstraintNotSatisfied2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; cannot inherit from a type parameter.. '''</summary> Friend ReadOnly Property ERR_GenericParamBase2() As String Get Return ResourceManager.GetString("ERR_GenericParamBase2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameters cannot be specified on this declaration.. '''</summary> Friend ReadOnly Property ERR_GenericParamsOnInvalidMember() As String Get Return ResourceManager.GetString("ERR_GenericParamsOnInvalidMember", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to None of the accessible &apos;Main&apos; methods with the appropriate signatures found in &apos;{0}&apos; can be the startup method since they are all either generic or nested in generic types.. '''</summary> Friend ReadOnly Property ERR_GenericSubMainsFound1() As String Get Return ResourceManager.GetString("ERR_GenericSubMainsFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoTo {0}&apos; is not valid because &apos;{0}&apos; is inside a &apos;For&apos; or &apos;For Each&apos; statement that does not contain this statement.. '''</summary> Friend ReadOnly Property ERR_GotoIntoFor() As String Get Return ResourceManager.GetString("ERR_GotoIntoFor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoTo {0}&apos; is not valid because &apos;{0}&apos; is inside a &apos;SyncLock&apos; statement that does not contain this statement.. '''</summary> Friend ReadOnly Property ERR_GotoIntoSyncLock() As String Get Return ResourceManager.GetString("ERR_GotoIntoSyncLock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoTo {0}&apos; is not valid because &apos;{0}&apos; is inside a &apos;Try&apos;, &apos;Catch&apos; or &apos;Finally&apos; statement that does not contain this statement.. '''</summary> Friend ReadOnly Property ERR_GotoIntoTryHandler() As String Get Return ResourceManager.GetString("ERR_GotoIntoTryHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoTo {0}&apos; is not valid because &apos;{0}&apos; is inside a &apos;Using&apos; statement that does not contain this statement.. '''</summary> Friend ReadOnly Property ERR_GotoIntoUsing() As String Get Return ResourceManager.GetString("ERR_GotoIntoUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoTo {0}&apos; is not valid because &apos;{0}&apos; is inside a &apos;With&apos; statement that does not contain this statement.. '''</summary> Friend ReadOnly Property ERR_GotoIntoWith() As String Get Return ResourceManager.GetString("ERR_GotoIntoWith", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic methods cannot use &apos;Handles&apos; clause.. '''</summary> Friend ReadOnly Property ERR_HandlesInvalidOnGenericMethod() As String Get Return ResourceManager.GetString("ERR_HandlesInvalidOnGenericMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Handles&apos; in classes must specify a &apos;WithEvents&apos; variable, &apos;MyBase&apos;, &apos;MyClass&apos; or &apos;Me&apos; qualified with a single identifier.. '''</summary> Friend ReadOnly Property ERR_HandlesSyntaxInClass() As String Get Return ResourceManager.GetString("ERR_HandlesSyntaxInClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Handles&apos; in modules must specify a &apos;WithEvents&apos; variable qualified with a single identifier.. '''</summary> Friend ReadOnly Property ERR_HandlesSyntaxInModule() As String Get Return ResourceManager.GetString("ERR_HandlesSyntaxInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to cannot specify both /win32icon and /win32resource. '''</summary> Friend ReadOnly Property ERR_IconFileAndWin32ResFile() As String Get Return ResourceManager.GetString("ERR_IconFileAndWin32ResFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using DirectCast operator to cast a floating-point value to the same type is not supported.. '''</summary> Friend ReadOnly Property ERR_IdentityDirectCastForFloat() As String Get Return ResourceManager.GetString("ERR_IdentityDirectCastForFloat", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot implement &apos;{1}&apos; because there is no matching {2} on interface &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_IdentNotMemberOfInterface4() As String Get Return ResourceManager.GetString("ERR_IdentNotMemberOfInterface4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type.. '''</summary> Friend ReadOnly Property ERR_IfNoType() As String Get Return ResourceManager.GetString("ERR_IfNoType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type, and Option Strict On does not allow &apos;Object&apos; to be assumed.. '''</summary> Friend ReadOnly Property ERR_IfNoTypeObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_IfNoTypeObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type because more than one type is possible.. '''</summary> Friend ReadOnly Property ERR_IfTooManyTypesObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_IfTooManyTypesObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML declaration does not allow attribute &apos;{0}{1}{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_IllegalAttributeInXmlDecl() As String Get Return ResourceManager.GetString("ERR_IllegalAttributeInXmlDecl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Inherits clause of {0} &apos;{1}&apos; causes cyclic dependency: {2}. '''</summary> Friend ReadOnly Property ERR_IllegalBaseTypeReferences3() As String Get Return ResourceManager.GetString("ERR_IllegalBaseTypeReferences3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Illegal call expression or index expression.. '''</summary> Friend ReadOnly Property ERR_IllegalCallOrIndex() As String Get Return ResourceManager.GetString("ERR_IllegalCallOrIndex", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Character is not valid.. '''</summary> Friend ReadOnly Property ERR_IllegalChar() As String Get Return ResourceManager.GetString("ERR_IllegalChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Character constant must contain exactly one character.. '''</summary> Friend ReadOnly Property ERR_IllegalCharConstant() As String Get Return ResourceManager.GetString("ERR_IllegalCharConstant", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First operand in a binary &apos;If&apos; expression must be nullable or a reference type.. '''</summary> Friend ReadOnly Property ERR_IllegalCondTypeInIIF() As String Get Return ResourceManager.GetString("ERR_IllegalCondTypeInIIF", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace declaration with prefix cannot have an empty value inside an XML literal.. '''</summary> Friend ReadOnly Property ERR_IllegalDefaultNamespace() As String Get Return ResourceManager.GetString("ERR_IllegalDefaultNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type for the second and third operands of the &apos;If&apos; operator. One must have a widening conversion to the other.. '''</summary> Friend ReadOnly Property ERR_IllegalOperandInIIFConversion() As String Get Return ResourceManager.GetString("ERR_IllegalOperandInIIFConversion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type for the first and second operands of the binary &apos;If&apos; operator. One must have a widening conversion to the other.. '''</summary> Friend ReadOnly Property ERR_IllegalOperandInIIFConversion2() As String Get Return ResourceManager.GetString("ERR_IllegalOperandInIIFConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;If&apos; operator requires either two or three operands.. '''</summary> Friend ReadOnly Property ERR_IllegalOperandInIIFCount() As String Get Return ResourceManager.GetString("ERR_IllegalOperandInIIFCount", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;If&apos; operands cannot be named arguments.. '''</summary> Friend ReadOnly Property ERR_IllegalOperandInIIFName() As String Get Return ResourceManager.GetString("ERR_IllegalOperandInIIFName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML processing instruction name &apos;{0}&apos; is not valid.. '''</summary> Friend ReadOnly Property ERR_IllegalProcessingInstructionName() As String Get Return ResourceManager.GetString("ERR_IllegalProcessingInstructionName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Character sequence &apos;--&apos; is not allowed in an XML comment.. '''</summary> Friend ReadOnly Property ERR_IllegalXmlCommentChar() As String Get Return ResourceManager.GetString("ERR_IllegalXmlCommentChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Character &apos;{0}&apos; ({1}) is not allowed in an XML name.. '''</summary> Friend ReadOnly Property ERR_IllegalXmlNameChar() As String Get Return ResourceManager.GetString("ERR_IllegalXmlNameChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Element names cannot use the &apos;xmlns&apos; prefix.. '''</summary> Friend ReadOnly Property ERR_IllegalXmlnsPrefix() As String Get Return ResourceManager.GetString("ERR_IllegalXmlnsPrefix", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Character &apos;{0}&apos; ({1}) is not allowed at the beginning of an XML name.. '''</summary> Friend ReadOnly Property ERR_IllegalXmlStartNameChar() As String Get Return ResourceManager.GetString("ERR_IllegalXmlStartNameChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to White space cannot appear here.. '''</summary> Friend ReadOnly Property ERR_IllegalXmlWhiteSpace() As String Get Return ResourceManager.GetString("ERR_IllegalXmlWhiteSpace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; must be declared &apos;Private&apos; in order to implement partial method &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ImplementationMustBePrivate2() As String Get Return ResourceManager.GetString("ERR_ImplementationMustBePrivate2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter not allowed in &apos;Implements&apos; clause.. '''</summary> Friend ReadOnly Property ERR_ImplementsGenericParam() As String Get Return ResourceManager.GetString("ERR_ImplementsGenericParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot implement interface members.. '''</summary> Friend ReadOnly Property ERR_ImplementsOnNew() As String Get Return ResourceManager.GetString("ERR_ImplementsOnNew", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Implements&apos; statements must follow any &apos;Inherits&apos; statement and precede all declarations in a class.. '''</summary> Friend ReadOnly Property ERR_ImplementsStmtWrongOrder() As String Get Return ResourceManager.GetString("ERR_ImplementsStmtWrongOrder", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot implement &apos;{1}.{2}&apos; because they differ by type parameter constraints.. '''</summary> Friend ReadOnly Property ERR_ImplementsWithConstraintMismatch3() As String Get Return ResourceManager.GetString("ERR_ImplementsWithConstraintMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Imports alias &apos;{0}&apos; conflicts with &apos;{1}&apos; declared in the root namespace.. '''</summary> Friend ReadOnly Property ERR_ImportAliasConflictsWithType2() As String Get Return ResourceManager.GetString("ERR_ImportAliasConflictsWithType2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Imports&apos; statements must precede any declarations.. '''</summary> Friend ReadOnly Property ERR_ImportsMustBeFirst() As String Get Return ResourceManager.GetString("ERR_ImportsMustBeFirst", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implementing class &apos;{0}&apos; for interface &apos;{1}&apos; is not accessible in this context because it is &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_InAccessibleCoClass3() As String Get Return ResourceManager.GetString("ERR_InAccessibleCoClass3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}.{1}&apos; is not accessible in this context because it is &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_InaccessibleMember3() As String Get Return ResourceManager.GetString("ERR_InaccessibleMember3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; in class &apos;{1}&apos; cannot override &apos;{2}&apos; in class &apos;{3}&apos; because an intermediate class &apos;{4}&apos; overrides &apos;{2}&apos; in class &apos;{3}&apos; but is not accessible.. '''</summary> Friend ReadOnly Property ERR_InAccessibleOverridingMethod5() As String Get Return ResourceManager.GetString("ERR_InAccessibleOverridingMethod5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not accessible in this context because the return type is not accessible.. '''</summary> Friend ReadOnly Property ERR_InaccessibleReturnTypeOfMember2() As String Get Return ResourceManager.GetString("ERR_InaccessibleReturnTypeOfMember2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not accessible in this context because it is &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_InaccessibleSymbol2() As String Get Return ResourceManager.GetString("ERR_InaccessibleSymbol2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression is not an array or a method, and cannot have an argument list.. '''</summary> Friend ReadOnly Property ERR_IndexedNotArrayOrProc() As String Get Return ResourceManager.GetString("ERR_IndexedNotArrayOrProc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Project &apos;{0}&apos; makes an indirect reference to assembly &apos;{1}&apos;, which contains &apos;{2}&apos;. Add a file reference to &apos;{3}&apos; to your project.. '''</summary> Friend ReadOnly Property ERR_IndirectUnreferencedAssembly4() As String Get Return ResourceManager.GetString("ERR_IndirectUnreferencedAssembly4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable cannot be initialized with non-array type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InferringNonArrayType1() As String Get Return ResourceManager.GetString("ERR_InferringNonArrayType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot inherit from {1} &apos;{2}&apos; because it expands the access of the base {1} to {3} &apos;{4}&apos;.. '''</summary> Friend ReadOnly Property ERR_InheritanceAccessMismatch5() As String Get Return ResourceManager.GetString("ERR_InheritanceAccessMismatch5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot inherit from {1} &apos;{2}&apos; because it expands the access of the base {1} outside the assembly.. '''</summary> Friend ReadOnly Property ERR_InheritanceAccessMismatchOutside3() As String Get Return ResourceManager.GetString("ERR_InheritanceAccessMismatchOutside3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; cannot inherit from itself: {1}. '''</summary> Friend ReadOnly Property ERR_InheritanceCycle1() As String Get Return ResourceManager.GetString("ERR_InheritanceCycle1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; is not supported because it either directly or indirectly inherits from itself.. '''</summary> Friend ReadOnly Property ERR_InheritanceCycleInImportedType1() As String Get Return ResourceManager.GetString("ERR_InheritanceCycleInImportedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos; inherits from &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_InheritsFrom2() As String Get Return ResourceManager.GetString("ERR_InheritsFrom2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot inherit from {2} &apos;{1}&apos; because &apos;{1}&apos; is declared &apos;NotInheritable&apos;.. '''</summary> Friend ReadOnly Property ERR_InheritsFromCantInherit3() As String Get Return ResourceManager.GetString("ERR_InheritsFromCantInherit3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Classes can inherit only from other classes.. '''</summary> Friend ReadOnly Property ERR_InheritsFromNonClass() As String Get Return ResourceManager.GetString("ERR_InheritsFromNonClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface can inherit only from another interface.. '''</summary> Friend ReadOnly Property ERR_InheritsFromNonInterface() As String Get Return ResourceManager.GetString("ERR_InheritsFromNonInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Inheriting from &apos;{0}&apos; is not valid.. '''</summary> Friend ReadOnly Property ERR_InheritsFromRestrictedType1() As String Get Return ResourceManager.GetString("ERR_InheritsFromRestrictedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Inherits&apos; statement must precede all declarations in a class.. '''</summary> Friend ReadOnly Property ERR_InheritsStmtWrongOrder() As String Get Return ResourceManager.GetString("ERR_InheritsStmtWrongOrder", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot inherit from {1} &apos;{2}&apos; because it expands the access of type &apos;{3}&apos; to {4} &apos;{5}&apos;.. '''</summary> Friend ReadOnly Property ERR_InheritsTypeArgAccessMismatch7() As String Get Return ResourceManager.GetString("ERR_InheritsTypeArgAccessMismatch7", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot inherit from {1} &apos;{2}&apos; because it expands the access of type &apos;{3}&apos; outside the assembly.. '''</summary> Friend ReadOnly Property ERR_InheritsTypeArgAccessMismatchOutside5() As String Get Return ResourceManager.GetString("ERR_InheritsTypeArgAccessMismatchOutside5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expanded Properties cannot be initialized.. '''</summary> Friend ReadOnly Property ERR_InitializedExpandedProperty() As String Get Return ResourceManager.GetString("ERR_InitializedExpandedProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Initializer expected.. '''</summary> Friend ReadOnly Property ERR_InitializerExpected() As String Get Return ResourceManager.GetString("ERR_InitializerExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Initializers on structure members are valid only for &apos;Shared&apos; members and constants.. '''</summary> Friend ReadOnly Property ERR_InitializerInStruct() As String Get Return ResourceManager.GetString("ERR_InitializerInStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializer is missing {0} elements.. '''</summary> Friend ReadOnly Property ERR_InitializerTooFewElements1() As String Get Return ResourceManager.GetString("ERR_InitializerTooFewElements1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array initializer has {0} too many elements.. '''</summary> Friend ReadOnly Property ERR_InitializerTooManyElements1() As String Get Return ResourceManager.GetString("ERR_InitializerTooManyElements1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Explicit initialization is not permitted for arrays declared with explicit bounds.. '''</summary> Friend ReadOnly Property ERR_InitWithExplicitArraySizes() As String Get Return ResourceManager.GetString("ERR_InitWithExplicitArraySizes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Explicit initialization is not permitted with multiple variables declared with a single type specifier.. '''</summary> Friend ReadOnly Property ERR_InitWithMultipleDeclarators() As String Get Return ResourceManager.GetString("ERR_InitWithMultipleDeclarators", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to There is an error in a referenced assembly &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InReferencedAssembly() As String Get Return ResourceManager.GetString("ERR_InReferencedAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; values cannot be converted to &apos;Char&apos;. Use &apos;Microsoft.VisualBasic.ChrW&apos; to interpret a numeric value as a Unicode character or first convert it to &apos;String&apos; to produce a digit.. '''</summary> Friend ReadOnly Property ERR_IntegralToCharTypeMismatch1() As String Get Return ResourceManager.GetString("ERR_IntegralToCharTypeMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot inherit interface &apos;{0}&apos; because the interface &apos;{1}&apos; from which it inherits could be identical to interface &apos;{2}&apos; from which the interface &apos;{3}&apos; inherits for some type arguments.. '''</summary> Friend ReadOnly Property ERR_InterfaceBaseUnifiesWithBase4() As String Get Return ResourceManager.GetString("ERR_InterfaceBaseUnifiesWithBase4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid on an interface event declaration.. '''</summary> Friend ReadOnly Property ERR_InterfaceCantUseEventSpecifier1() As String Get Return ResourceManager.GetString("ERR_InterfaceCantUseEventSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface &apos;{0}&apos; cannot inherit from itself: {1}. '''</summary> Friend ReadOnly Property ERR_InterfaceCycle1() As String Get Return ResourceManager.GetString("ERR_InterfaceCycle1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events in interfaces cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InterfaceEventCantUse1() As String Get Return ResourceManager.GetString("ERR_InterfaceEventCantUse1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface &apos;{0}&apos; can be implemented only once by this type.. '''</summary> Friend ReadOnly Property ERR_InterfaceImplementedTwice1() As String Get Return ResourceManager.GetString("ERR_InterfaceImplementedTwice1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface members must be methods, properties, events, or type definitions.. '''</summary> Friend ReadOnly Property ERR_InterfaceMemberSyntax() As String Get Return ResourceManager.GetString("ERR_InterfaceMemberSyntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be indexed because it has no default property.. '''</summary> Friend ReadOnly Property ERR_InterfaceNoDefault1() As String Get Return ResourceManager.GetString("ERR_InterfaceNoDefault1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an interface type and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_InterfaceNotExpression1() As String Get Return ResourceManager.GetString("ERR_InterfaceNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface &apos;{0}&apos; is not implemented by this class.. '''</summary> Friend ReadOnly Property ERR_InterfaceNotImplemented1() As String Get Return ResourceManager.GetString("ERR_InterfaceNotImplemented1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot implement interface &apos;{0}&apos; because its implementation could conflict with the implementation of another implemented interface &apos;{1}&apos; for some type arguments.. '''</summary> Friend ReadOnly Property ERR_InterfacePossiblyImplTwice2() As String Get Return ResourceManager.GetString("ERR_InterfacePossiblyImplTwice2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot inherit interface &apos;{0}&apos; because it could be identical to interface &apos;{1}&apos; from which the interface &apos;{2}&apos; inherits for some type arguments.. '''</summary> Friend ReadOnly Property ERR_InterfaceUnifiesWithBase3() As String Get Return ResourceManager.GetString("ERR_InterfaceUnifiesWithBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot inherit interface &apos;{0}&apos; because it could be identical to interface &apos;{1}&apos; for some type arguments.. '''</summary> Friend ReadOnly Property ERR_InterfaceUnifiesWithInterface2() As String Get Return ResourceManager.GetString("ERR_InterfaceUnifiesWithInterface2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Embedded interop method &apos;{0}&apos; contains a body.. '''</summary> Friend ReadOnly Property ERR_InteropMethodWithBody1() As String Get Return ResourceManager.GetString("ERR_InteropMethodWithBody1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to There were one or more errors emitting a call to {0}.{1}. Method or its return type may be missing or malformed.. '''</summary> Friend ReadOnly Property ERR_InterpolatedStringFactoryError() As String Get Return ResourceManager.GetString("ERR_InterpolatedStringFactoryError", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Alignment value is outside of the supported range.. '''</summary> Friend ReadOnly Property ERR_InterpolationAlignmentOutOfRange() As String Get Return ResourceManager.GetString("ERR_InterpolationAlignmentOutOfRange", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Format specifier may not contain trailing whitespace.. '''</summary> Friend ReadOnly Property ERR_InterpolationFormatWhitespace() As String Get Return ResourceManager.GetString("ERR_InterpolationFormatWhitespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied to an assembly.. '''</summary> Friend ReadOnly Property ERR_InvalidAssemblyAttribute1() As String Get Return ResourceManager.GetString("ERR_InvalidAssemblyAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly culture strings may not contain embedded NUL characters.. '''</summary> Friend ReadOnly Property ERR_InvalidAssemblyCulture() As String Get Return ResourceManager.GetString("ERR_InvalidAssemblyCulture", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Executables cannot be satellite assemblies; culture should always be empty. '''</summary> Friend ReadOnly Property ERR_InvalidAssemblyCultureForExe() As String Get Return ResourceManager.GetString("ERR_InvalidAssemblyCultureForExe", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a valid value for /moduleassemblyname. '''</summary> Friend ReadOnly Property ERR_InvalidAssemblyName() As String Get Return ResourceManager.GetString("ERR_InvalidAssemblyName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Async&apos; and &apos;Iterator&apos; modifiers cannot be used together.. '''</summary> Friend ReadOnly Property ERR_InvalidAsyncIteratorModifiers() As String Get Return ResourceManager.GetString("ERR_InvalidAsyncIteratorModifiers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied to &apos;{1}&apos; because the attribute is not valid on this declaration type.. '''</summary> Friend ReadOnly Property ERR_InvalidAttributeUsage2() As String Get Return ResourceManager.GetString("ERR_InvalidAttributeUsage2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied to &apos;{1}&apos; of &apos;{2}&apos; because the attribute is not valid on this declaration type.. '''</summary> Friend ReadOnly Property ERR_InvalidAttributeUsageOnAccessor() As String Get Return ResourceManager.GetString("ERR_InvalidAttributeUsageOnAccessor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute value is not valid; expecting &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidAttributeValue1() As String Get Return ResourceManager.GetString("ERR_InvalidAttributeValue1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute value is not valid; expecting &apos;{0}&apos; or &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidAttributeValue2() As String Get Return ResourceManager.GetString("ERR_InvalidAttributeValue2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as an implementing class.. '''</summary> Friend ReadOnly Property ERR_InvalidCoClass1() As String Get Return ResourceManager.GetString("ERR_InvalidCoClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constructor call is valid only as the first statement in an instance constructor.. '''</summary> Friend ReadOnly Property ERR_InvalidConstructorCall() As String Get Return ResourceManager.GetString("ERR_InvalidConstructorCall", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Date constant is not valid.. '''</summary> Friend ReadOnly Property ERR_InvalidDate() As String Get Return ResourceManager.GetString("ERR_InvalidDate", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Invalid debug information format: {0}. '''</summary> Friend ReadOnly Property ERR_InvalidDebugInformationFormat() As String Get Return ResourceManager.GetString("ERR_InvalidDebugInformationFormat", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End AddHandler&apos; must be preceded by a matching &apos;AddHandler&apos; declaration.. '''</summary> Friend ReadOnly Property ERR_InvalidEndAddHandler() As String Get Return ResourceManager.GetString("ERR_InvalidEndAddHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Enum&apos; must be preceded by a matching &apos;Enum&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndEnum() As String Get Return ResourceManager.GetString("ERR_InvalidEndEnum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Event&apos; must be preceded by a matching &apos;Custom Event&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndEvent() As String Get Return ResourceManager.GetString("ERR_InvalidEndEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Function&apos; must be preceded by a matching &apos;Function&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndFunction() As String Get Return ResourceManager.GetString("ERR_InvalidEndFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Get&apos; must be preceded by a matching &apos;Get&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndGet() As String Get Return ResourceManager.GetString("ERR_InvalidEndGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Interface&apos; must be preceded by a matching &apos;Interface&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndInterface() As String Get Return ResourceManager.GetString("ERR_InvalidEndInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Operator&apos; must be preceded by a matching &apos;Operator&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndOperator() As String Get Return ResourceManager.GetString("ERR_InvalidEndOperator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Property&apos; must be preceded by a matching &apos;Property&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndProperty() As String Get Return ResourceManager.GetString("ERR_InvalidEndProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End RaiseEvent&apos; must be preceded by a matching &apos;RaiseEvent&apos; declaration.. '''</summary> Friend ReadOnly Property ERR_InvalidEndRaiseEvent() As String Get Return ResourceManager.GetString("ERR_InvalidEndRaiseEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End RemoveHandler&apos; must be preceded by a matching &apos;RemoveHandler&apos; declaration.. '''</summary> Friend ReadOnly Property ERR_InvalidEndRemoveHandler() As String Get Return ResourceManager.GetString("ERR_InvalidEndRemoveHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Set&apos; must be preceded by a matching &apos;Set&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndSet() As String Get Return ResourceManager.GetString("ERR_InvalidEndSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End Sub&apos; must be preceded by a matching &apos;Sub&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidEndSub() As String Get Return ResourceManager.GetString("ERR_InvalidEndSub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Enums must be declared as an integral type.. '''</summary> Friend ReadOnly Property ERR_InvalidEnumBase() As String Get Return ResourceManager.GetString("ERR_InvalidEnumBase", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Invalid file section alignment &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_InvalidFileAlignment() As String Get Return ResourceManager.GetString("ERR_InvalidFileAlignment", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Command-line syntax error: Invalid Guid format &apos;{0}&apos; for option &apos;{1}&apos;. '''</summary> Friend ReadOnly Property ERR_InvalidFormatForGuidForOption() As String Get Return ResourceManager.GetString("ERR_InvalidFormatForGuidForOption", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a valid format specifier. '''</summary> Friend ReadOnly Property ERR_InvalidFormatSpecifier() As String Get Return ResourceManager.GetString("ERR_InvalidFormatSpecifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Handles&apos; is not valid on operator declarations.. '''</summary> Friend ReadOnly Property ERR_InvalidHandles() As String Get Return ResourceManager.GetString("ERR_InvalidHandles", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Implements&apos; is not valid on operator declarations.. '''</summary> Friend ReadOnly Property ERR_InvalidImplements() As String Get Return ResourceManager.GetString("ERR_InvalidImplements", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit reference to object under construction is not valid when calling another constructor.. '''</summary> Friend ReadOnly Property ERR_InvalidImplicitMeReference() As String Get Return ResourceManager.GetString("ERR_InvalidImplicitMeReference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit variable &apos;{0}&apos; is invalid because of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidImplicitVar() As String Get Return ResourceManager.GetString("ERR_InvalidImplicitVar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement is not valid in a namespace.. '''</summary> Friend ReadOnly Property ERR_InvalidInNamespace() As String Get Return ResourceManager.GetString("ERR_InvalidInNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Only the &apos;Async&apos; or &apos;Iterator&apos; modifier is valid on a lambda.. '''</summary> Friend ReadOnly Property ERR_InvalidLambdaModifier() As String Get Return ResourceManager.GetString("ERR_InvalidLambdaModifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Exponent is not valid.. '''</summary> Friend ReadOnly Property ERR_InvalidLiteralExponent() As String Get Return ResourceManager.GetString("ERR_InvalidLiteralExponent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Me&apos; cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_InvalidMe() As String Get Return ResourceManager.GetString("ERR_InvalidMe", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference to object under construction is not valid when calling another constructor.. '''</summary> Friend ReadOnly Property ERR_InvalidMeReference() As String Get Return ResourceManager.GetString("ERR_InvalidMeReference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied to a module.. '''</summary> Friend ReadOnly Property ERR_InvalidModuleAttribute1() As String Get Return ResourceManager.GetString("ERR_InvalidModuleAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied multiple times.. '''</summary> Friend ReadOnly Property ERR_InvalidMultipleAttributeUsage1() As String Get Return ResourceManager.GetString("ERR_InvalidMultipleAttributeUsage1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; in &apos;{1}&apos; cannot be applied multiple times.. '''</summary> Friend ReadOnly Property ERR_InvalidMultipleAttributeUsageInNetModule2() As String Get Return ResourceManager.GetString("ERR_InvalidMultipleAttributeUsageInNetModule2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This sub-expression cannot be used inside NameOf argument.. '''</summary> Friend ReadOnly Property ERR_InvalidNameOfSubExpression() As String Get Return ResourceManager.GetString("ERR_InvalidNameOfSubExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; is not valid in this context.. '''</summary> Friend ReadOnly Property ERR_InvalidNewInType() As String Get Return ResourceManager.GetString("ERR_InvalidNewInType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;NonSerialized&apos; attribute will not have any effect on this member because its containing class is not exposed as &apos;Serializable&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidNonSerializedUsage() As String Get Return ResourceManager.GetString("ERR_InvalidNonSerializedUsage", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; cannot be applied to a method with optional parameters.. '''</summary> Friend ReadOnly Property ERR_InvalidOptionalParameterUsage1() As String Get Return ResourceManager.GetString("ERR_InvalidOptionalParameterUsage1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option Compare&apos; must be followed by &apos;Text&apos; or &apos;Binary&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidOptionCompare() As String Get Return ResourceManager.GetString("ERR_InvalidOptionCompare", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option Explicit&apos; can be followed only by &apos;On&apos; or &apos;Off&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidOptionExplicit() As String Get Return ResourceManager.GetString("ERR_InvalidOptionExplicit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option Infer&apos; can be followed only by &apos;On&apos; or &apos;Off&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidOptionInfer() As String Get Return ResourceManager.GetString("ERR_InvalidOptionInfer", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option Strict&apos; can be followed only by &apos;On&apos; or &apos;Off&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidOptionStrict() As String Get Return ResourceManager.GetString("ERR_InvalidOptionStrict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict Custom can only be used as an option to the command-line compiler (vbc.exe).. '''</summary> Friend ReadOnly Property ERR_InvalidOptionStrictCustom() As String Get Return ResourceManager.GetString("ERR_InvalidOptionStrictCustom", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Invalid output name: {0}. '''</summary> Friend ReadOnly Property ERR_InvalidOutputName() As String Get Return ResourceManager.GetString("ERR_InvalidOutputName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by their return types.. '''</summary> Friend ReadOnly Property ERR_InvalidOverrideDueToReturn2() As String Get Return ResourceManager.GetString("ERR_InvalidOverrideDueToReturn2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Comma or &apos;)&apos; expected.. '''</summary> Friend ReadOnly Property ERR_InvalidParameterSyntax() As String Get Return ResourceManager.GetString("ERR_InvalidParameterSyntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The pathmap option was incorrectly formatted.. '''</summary> Friend ReadOnly Property ERR_InvalidPathMap() As String Get Return ResourceManager.GetString("ERR_InvalidPathMap", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Invalid signature public key specified in AssemblySignatureKeyAttribute.. '''</summary> Friend ReadOnly Property ERR_InvalidSignaturePublicKey() As String Get Return ResourceManager.GetString("ERR_InvalidSignaturePublicKey", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Only conversion operators can be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InvalidSpecifierOnNonConversion1() As String Get Return ResourceManager.GetString("ERR_InvalidSpecifierOnNonConversion1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Embedded interop structure &apos;{0}&apos; can contain only public instance fields.. '''</summary> Friend ReadOnly Property ERR_InvalidStructMemberNoPIA1() As String Get Return ResourceManager.GetString("ERR_InvalidStructMemberNoPIA1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to No accessible &apos;Main&apos; method with an appropriate signature was found in &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_InValidSubMainsFound1() As String Get Return ResourceManager.GetString("ERR_InValidSubMainsFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The value &apos;{0}&apos; is not a valid subsystem version. The version must be 6.02 or greater for ARM or AppContainerExe, and 4.00 or greater otherwise.. '''</summary> Friend ReadOnly Property ERR_InvalidSubsystemVersion() As String Get Return ResourceManager.GetString("ERR_InvalidSubsystemVersion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to the value &apos;{1}&apos; is invalid for option &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_InvalidSwitchValue() As String Get Return ResourceManager.GetString("ERR_InvalidSwitchValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{1}&apos; for the Imports alias to &apos;{0}&apos; does not refer to a Namespace, Class, Structure, Interface, Enum or Module.. '''</summary> Friend ReadOnly Property ERR_InvalidTypeForAliasesImport2() As String Get Return ResourceManager.GetString("ERR_InvalidTypeForAliasesImport2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Custom&apos; modifier can only be used immediately before an &apos;Event&apos; declaration.. '''</summary> Friend ReadOnly Property ERR_InvalidUseOfCustomModifier() As String Get Return ResourceManager.GetString("ERR_InvalidUseOfCustomModifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Keyword is not valid as an identifier.. '''</summary> Friend ReadOnly Property ERR_InvalidUseOfKeyword() As String Get Return ResourceManager.GetString("ERR_InvalidUseOfKeyword", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The specified version string does not conform to the required format - major[.minor[.build|*[.revision|*]]]. '''</summary> Friend ReadOnly Property ERR_InvalidVersionFormat() As String Get Return ResourceManager.GetString("ERR_InvalidVersionFormat", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The specified version string does not conform to the recommended format - major.minor.build.revision. '''</summary> Friend ReadOnly Property ERR_InvalidVersionFormat2() As String Get Return ResourceManager.GetString("ERR_InvalidVersionFormat2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement is not valid inside &apos;{0}&apos; block.. '''</summary> Friend ReadOnly Property ERR_InvInsideBlock() As String Get Return ResourceManager.GetString("ERR_InvInsideBlock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within an Enum body. End of Enum assumed.. '''</summary> Friend ReadOnly Property ERR_InvInsideEndsEnum() As String Get Return ResourceManager.GetString("ERR_InvInsideEndsEnum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within an event body. End of event assumed.. '''</summary> Friend ReadOnly Property ERR_InvInsideEndsEvent() As String Get Return ResourceManager.GetString("ERR_InvInsideEndsEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within an interface body. End of interface assumed.. '''</summary> Friend ReadOnly Property ERR_InvInsideEndsInterface() As String Get Return ResourceManager.GetString("ERR_InvInsideEndsInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within a method body. End of method assumed.. '''</summary> Friend ReadOnly Property ERR_InvInsideEndsProc() As String Get Return ResourceManager.GetString("ERR_InvInsideEndsProc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within a property body. End of property assumed.. '''</summary> Friend ReadOnly Property ERR_InvInsideEndsProperty() As String Get Return ResourceManager.GetString("ERR_InvInsideEndsProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within an Enum body.. '''</summary> Friend ReadOnly Property ERR_InvInsideEnum() As String Get Return ResourceManager.GetString("ERR_InvInsideEnum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement cannot appear within an interface body.. '''</summary> Friend ReadOnly Property ERR_InvInsideInterface() As String Get Return ResourceManager.GetString("ERR_InvInsideInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement is not valid inside a method.. '''</summary> Friend ReadOnly Property ERR_InvInsideProc() As String Get Return ResourceManager.GetString("ERR_InvInsideProc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Labels are not valid outside methods.. '''</summary> Friend ReadOnly Property ERR_InvOutsideProc() As String Get Return ResourceManager.GetString("ERR_InvOutsideProc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos; is nested in &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_IsNestedIn2() As String Get Return ResourceManager.GetString("ERR_IsNestedIn2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;IsNot&apos; operand of type &apos;{0}&apos; can be compared only to &apos;Nothing&apos; because &apos;{0}&apos; is a type parameter with no class constraint.. '''</summary> Friend ReadOnly Property ERR_IsNotOperatorGenericParam1() As String Get Return ResourceManager.GetString("ERR_IsNotOperatorGenericParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;IsNot&apos; operand of type &apos;{0}&apos; can be compared only to &apos;Nothing&apos; because &apos;{0}&apos; is a nullable type.. '''</summary> Friend ReadOnly Property ERR_IsNotOperatorNullable1() As String Get Return ResourceManager.GetString("ERR_IsNotOperatorNullable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;IsNot&apos; requires operands that have reference types, but this operand has the value type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_IsNotOpRequiresReferenceTypes1() As String Get Return ResourceManager.GetString("ERR_IsNotOpRequiresReferenceTypes1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Is&apos; operand of type &apos;{0}&apos; can be compared only to &apos;Nothing&apos; because &apos;{0}&apos; is a type parameter with no class constraint.. '''</summary> Friend ReadOnly Property ERR_IsOperatorGenericParam1() As String Get Return ResourceManager.GetString("ERR_IsOperatorGenericParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Is&apos; operand of type &apos;{0}&apos; can be compared only to &apos;Nothing&apos; because &apos;{0}&apos; is a nullable type.. '''</summary> Friend ReadOnly Property ERR_IsOperatorNullable1() As String Get Return ResourceManager.GetString("ERR_IsOperatorNullable1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Is&apos; operator does not accept operands of type &apos;{0}&apos;. Operands must be reference or nullable types.. '''</summary> Friend ReadOnly Property ERR_IsOperatorRequiresReferenceTypes1() As String Get Return ResourceManager.GetString("ERR_IsOperatorRequiresReferenceTypes1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable &apos;{0}&apos; hides a variable in an enclosing block or a range variable previously defined in the query expression.. '''</summary> Friend ReadOnly Property ERR_IterationVariableShadowLocal1() As String Get Return ResourceManager.GetString("ERR_IterationVariableShadowLocal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable &apos;{0}&apos; hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.. '''</summary> Friend ReadOnly Property ERR_IterationVariableShadowLocal2() As String Get Return ResourceManager.GetString("ERR_IterationVariableShadowLocal2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to You cannot use &apos;{0}&apos; in top-level script code. '''</summary> Friend ReadOnly Property ERR_KeywordNotAllowedInScript() As String Get Return ResourceManager.GetString("ERR_KeywordNotAllowedInScript", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Label &apos;{0}&apos; is not defined.. '''</summary> Friend ReadOnly Property ERR_LabelNotDefined1() As String Get Return ResourceManager.GetString("ERR_LabelNotDefined1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nested function does not have the same signature as delegate &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_LambdaBindingMismatch1() As String Get Return ResourceManager.GetString("ERR_LambdaBindingMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nested sub does not have a signature that is compatible with delegate &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_LambdaBindingMismatch2() As String Get Return ResourceManager.GetString("ERR_LambdaBindingMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda expressions are not valid in the first expression of a &apos;Select Case&apos; statement.. '''</summary> Friend ReadOnly Property ERR_LambdaInSelectCaseExpr() As String Get Return ResourceManager.GetString("ERR_LambdaInSelectCaseExpr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda expression cannot be converted to &apos;{0}&apos; because type &apos;{0}&apos; is declared &apos;MustInherit&apos; and cannot be created.. '''</summary> Friend ReadOnly Property ERR_LambdaNotCreatableDelegate1() As String Get Return ResourceManager.GetString("ERR_LambdaNotCreatableDelegate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda expression cannot be converted to &apos;{0}&apos; because &apos;{0}&apos; is not a delegate type.. '''</summary> Friend ReadOnly Property ERR_LambdaNotDelegate1() As String Get Return ResourceManager.GetString("ERR_LambdaNotDelegate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type. Consider adding an &apos;As&apos; clause to specify the return type.. '''</summary> Friend ReadOnly Property ERR_LambdaNoType() As String Get Return ResourceManager.GetString("ERR_LambdaNoType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type. Consider adding an &apos;As&apos; clause to specify the return type.. '''</summary> Friend ReadOnly Property ERR_LambdaNoTypeObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_LambdaNoTypeObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda parameter &apos;{0}&apos; hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.. '''</summary> Friend ReadOnly Property ERR_LambdaParamShadowLocal1() As String Get Return ResourceManager.GetString("ERR_LambdaParamShadowLocal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attributes cannot be applied to parameters of lambda expressions.. '''</summary> Friend ReadOnly Property ERR_LambdasCannotHaveAttributes() As String Get Return ResourceManager.GetString("ERR_LambdasCannotHaveAttributes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type because more than one type is possible. Consider adding an &apos;As&apos; clause to specify the return type.. '''</summary> Friend ReadOnly Property ERR_LambdaTooManyTypesObjectDisallowed() As String Get Return ResourceManager.GetString("ERR_LambdaTooManyTypesObjectDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Visual Basic {0} does not support {1}.. '''</summary> Friend ReadOnly Property ERR_LanguageVersion() As String Get Return ResourceManager.GetString("ERR_LanguageVersion", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Late bound overload resolution cannot be applied to &apos;{0}&apos; because the accessing instance is an interface type.. '''</summary> Friend ReadOnly Property ERR_LateBoundOverloadInterfaceCall1() As String Get Return ResourceManager.GetString("ERR_LateBoundOverloadInterfaceCall1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#ElseIf&apos; must be preceded by a matching &apos;#If&apos; or &apos;#ElseIf&apos;.. '''</summary> Friend ReadOnly Property ERR_LbBadElseif() As String Get Return ResourceManager.GetString("ERR_LbBadElseif", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#ElseIf&apos; cannot follow &apos;#Else&apos; as part of a &apos;#If&apos; block.. '''</summary> Friend ReadOnly Property ERR_LbElseifAfterElse() As String Get Return ResourceManager.GetString("ERR_LbElseifAfterElse", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#Else&apos; must be preceded by a matching &apos;#If&apos; or &apos;#ElseIf&apos;.. '''</summary> Friend ReadOnly Property ERR_LbElseNoMatchingIf() As String Get Return ResourceManager.GetString("ERR_LbElseNoMatchingIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#If&apos; block must end with a matching &apos;#End If&apos;.. '''</summary> Friend ReadOnly Property ERR_LbExpectedEndIf() As String Get Return ResourceManager.GetString("ERR_LbExpectedEndIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#ElseIf&apos;, &apos;#Else&apos;, or &apos;#End If&apos; must be preceded by a matching &apos;#If&apos;.. '''</summary> Friend ReadOnly Property ERR_LbNoMatchingIf() As String Get Return ResourceManager.GetString("ERR_LbNoMatchingIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to /platform:anycpu32bitpreferred can only be used with /t:exe, /t:winexe and /t:appcontainerexe.. '''</summary> Friend ReadOnly Property ERR_LibAnycpu32bitPreferredConflict() As String Get Return ResourceManager.GetString("ERR_LibAnycpu32bitPreferredConflict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to could not find library &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_LibNotFound() As String Get Return ResourceManager.GetString("ERR_LibNotFound", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Line continuation character &apos;_&apos; must be preceded by at least one white space and must be the last character on the line.. '''</summary> Friend ReadOnly Property ERR_LineContWithCommentOrNoPrecSpace() As String Get Return ResourceManager.GetString("ERR_LineContWithCommentOrNoPrecSpace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Linked netmodule metadata must provide a full PE image: &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_LinkedNetmoduleMetadataMustProvideFullPEImage() As String Get Return ResourceManager.GetString("ERR_LinkedNetmoduleMetadataMustProvideFullPEImage", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Literal expected.. '''</summary> Friend ReadOnly Property ERR_LiteralExpected() As String Get Return ResourceManager.GetString("ERR_LiteralExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is already declared as a parameter of this method.. '''</summary> Friend ReadOnly Property ERR_LocalNamedSameAsParam1() As String Get Return ResourceManager.GetString("ERR_LocalNamedSameAsParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; is already declared as a parameter of this or an enclosing lambda expression.. '''</summary> Friend ReadOnly Property ERR_LocalNamedSameAsParamInLambda1() As String Get Return ResourceManager.GetString("ERR_LocalNamedSameAsParamInLambda1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable cannot have the same name as the function containing it.. '''</summary> Friend ReadOnly Property ERR_LocalSameAsFunc() As String Get Return ResourceManager.GetString("ERR_LocalSameAsFunc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attributes cannot be applied to local variables.. '''</summary> Friend ReadOnly Property ERR_LocalsCannotHaveAttributes() As String Get Return ResourceManager.GetString("ERR_LocalsCannotHaveAttributes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Embedding the interop type &apos;{0}&apos; from assembly &apos;{1}&apos; causes a name clash in the current assembly. Consider disabling the embedding of interop types.. '''</summary> Friend ReadOnly Property ERR_LocalTypeNameClash2() As String Get Return ResourceManager.GetString("ERR_LocalTypeNameClash2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Loop control variable cannot include an &apos;Await&apos;.. '''</summary> Friend ReadOnly Property ERR_LoopControlMustNotAwait() As String Get Return ResourceManager.GetString("ERR_LoopControlMustNotAwait", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Loop control variable cannot be a property or a late-bound indexed array.. '''</summary> Friend ReadOnly Property ERR_LoopControlMustNotBeProperty() As String Get Return ResourceManager.GetString("ERR_LoopControlMustNotBeProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Loop&apos; cannot have a condition if matching &apos;Do&apos; has one.. '''</summary> Friend ReadOnly Property ERR_LoopDoubleCondition() As String Get Return ResourceManager.GetString("ERR_LoopDoubleCondition", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Loop&apos; must be preceded by a matching &apos;Do&apos;.. '''</summary> Friend ReadOnly Property ERR_LoopNoMatchingDo() As String Get Return ResourceManager.GetString("ERR_LoopNoMatchingDo", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression is a value and therefore cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_LValueRequired() As String Get Return ResourceManager.GetString("ERR_LValueRequired", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unmanaged type &apos;{0}&apos; not valid for fields.. '''</summary> Friend ReadOnly Property ERR_MarshalUnmanagedTypeNotValidForFields() As String Get Return ResourceManager.GetString("ERR_MarshalUnmanagedTypeNotValidForFields", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unmanaged type &apos;{0}&apos; is only valid for fields.. '''</summary> Friend ReadOnly Property ERR_MarshalUnmanagedTypeOnlyValidForFields() As String Get Return ResourceManager.GetString("ERR_MarshalUnmanagedTypeOnlyValidForFields", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Matching &apos;{0}&apos; operator is required for &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_MatchingOperatorExpected2() As String Get Return ResourceManager.GetString("ERR_MatchingOperatorExpected2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Maximum number of errors has been exceeded.. '''</summary> Friend ReadOnly Property ERR_MaximumNumberOfErrors() As String Get Return ResourceManager.GetString("ERR_MaximumNumberOfErrors", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; conflicts with a member implicitly declared for {2} &apos;{3}&apos; in {4} &apos;{5}&apos;.. '''</summary> Friend ReadOnly Property ERR_MemberClashesWithSynth6() As String Get Return ResourceManager.GetString("ERR_MemberClashesWithSynth6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conflicts with &apos;{0}&apos;, which is implicitly declared for &apos;{1}&apos; in {2} &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_MemberConflictWithSynth4() As String Get Return ResourceManager.GetString("ERR_MemberConflictWithSynth4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a module and cannot be referenced as an assembly.. '''</summary> Friend ReadOnly Property ERR_MetaDataIsNotAssembly() As String Get Return ResourceManager.GetString("ERR_MetaDataIsNotAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an assembly and cannot be referenced as a module.. '''</summary> Friend ReadOnly Property ERR_MetaDataIsNotModule() As String Get Return ResourceManager.GetString("ERR_MetaDataIsNotModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is ambiguous because multiple kinds of members with this name exist in {1} &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_MetadataMembersAmbiguous3() As String Get Return ResourceManager.GetString("ERR_MetadataMembersAmbiguous3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Metadata references not supported.. '''</summary> Friend ReadOnly Property ERR_MetadataReferencesNotSupported() As String Get Return ResourceManager.GetString("ERR_MetadataReferencesNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}.{1}&apos; cannot be implemented more than once.. '''</summary> Friend ReadOnly Property ERR_MethodAlreadyImplemented2() As String Get Return ResourceManager.GetString("ERR_MethodAlreadyImplemented2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of a method body cannot be on the same line as the method declaration.. '''</summary> Friend ReadOnly Property ERR_MethodBodyNotAtLineStart() As String Get Return ResourceManager.GetString("ERR_MethodBodyNotAtLineStart", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method declaration statements must be the first statement on a logical line.. '''</summary> Friend ReadOnly Property ERR_MethodMustBeFirstStatementOnLine() As String Get Return ResourceManager.GetString("ERR_MethodMustBeFirstStatementOnLine", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method type arguments unexpected.. '''</summary> Friend ReadOnly Property ERR_MethodTypeArgsUnexpected() As String Get Return ResourceManager.GetString("ERR_MethodTypeArgsUnexpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to End tag &lt;/{0}{1}{2}&gt; expected.. '''</summary> Friend ReadOnly Property ERR_MismatchedXmlEndTag() As String Get Return ResourceManager.GetString("ERR_MismatchedXmlEndTag", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; definition missing for event &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingAddHandlerDef1() As String Get Return ResourceManager.GetString("ERR_MissingAddHandlerDef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddHandler&apos; declaration must end with a matching &apos;End AddHandler&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndAddHandler() As String Get Return ResourceManager.GetString("ERR_MissingEndAddHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bracketed identifier is missing closing &apos;]&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndBrack() As String Get Return ResourceManager.GetString("ERR_MissingEndBrack", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Enum&apos; must end with a matching &apos;End Enum&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndEnum() As String Get Return ResourceManager.GetString("ERR_MissingEndEnum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Custom Event&apos; must end with a matching &apos;End Event&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndEvent() As String Get Return ResourceManager.GetString("ERR_MissingEndEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Get&apos; statement must end with a matching &apos;End Get&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndGet() As String Get Return ResourceManager.GetString("ERR_MissingEndGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Interface&apos; must end with a matching &apos;End Interface&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndInterface() As String Get Return ResourceManager.GetString("ERR_MissingEndInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RaiseEvent&apos; declaration must end with a matching &apos;End RaiseEvent&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndRaiseEvent() As String Get Return ResourceManager.GetString("ERR_MissingEndRaiseEvent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RemoveHandler&apos; declaration must end with a matching &apos;End RemoveHandler&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndRemoveHandler() As String Get Return ResourceManager.GetString("ERR_MissingEndRemoveHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; statement must end with a matching &apos;End Set&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingEndSet() As String Get Return ResourceManager.GetString("ERR_MissingEndSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Command-line syntax error: Missing Guid for option &apos;{1}&apos;. '''</summary> Friend ReadOnly Property ERR_MissingGuidForOption() As String Get Return ResourceManager.GetString("ERR_MissingGuidForOption", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Is&apos; expected.. '''</summary> Friend ReadOnly Property ERR_MissingIsInTypeOf() As String Get Return ResourceManager.GetString("ERR_MissingIsInTypeOf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Lib&apos; expected.. '''</summary> Friend ReadOnly Property ERR_MissingLibInDeclare() As String Get Return ResourceManager.GetString("ERR_MissingLibInDeclare", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference to &apos;{0}&apos; netmodule missing.. '''</summary> Friend ReadOnly Property ERR_MissingNetModuleReference() As String Get Return ResourceManager.GetString("ERR_MissingNetModuleReference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Next&apos; expected.. '''</summary> Friend ReadOnly Property ERR_MissingNext() As String Get Return ResourceManager.GetString("ERR_MissingNext", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RaiseEvent&apos; definition missing for event &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingRaiseEventDef1() As String Get Return ResourceManager.GetString("ERR_MissingRaiseEventDef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RemoveHandler&apos; definition missing for event &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_MissingRemoveHandlerDef1() As String Get Return ResourceManager.GetString("ERR_MissingRemoveHandlerDef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Requested operation is not available because the runtime library function &apos;{0}&apos; is not defined.. '''</summary> Friend ReadOnly Property ERR_MissingRuntimeHelper() As String Get Return ResourceManager.GetString("ERR_MissingRuntimeHelper", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array subscript expression missing.. '''</summary> Friend ReadOnly Property ERR_MissingSubscript() As String Get Return ResourceManager.GetString("ERR_MissingSubscript", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Arrays used as attribute arguments are required to explicitly specify values for all elements.. '''</summary> Friend ReadOnly Property ERR_MissingValuesForArraysInApplAttrs() As String Get Return ResourceManager.GetString("ERR_MissingValuesForArraysInApplAttrs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Required attribute &apos;version&apos; missing from XML declaration.. '''</summary> Friend ReadOnly Property ERR_MissingVersionInXmlDecl() As String Get Return ResourceManager.GetString("ERR_MissingVersionInXmlDecl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Element is missing an end tag.. '''</summary> Friend ReadOnly Property ERR_MissingXmlEndTag() As String Get Return ResourceManager.GetString("ERR_MissingXmlEndTag", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; cannot implement a Windows Runtime event &apos;{1}&apos; and a regular .NET event &apos;{2}&apos;. '''</summary> Friend ReadOnly Property ERR_MixingWinRTAndNETEvents() As String Get Return ResourceManager.GetString("ERR_MixingWinRTAndNETEvents", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Module &apos;{0}&apos; cannot be used as a type.. '''</summary> Friend ReadOnly Property ERR_ModuleAsType1() As String Get Return ResourceManager.GetString("ERR_ModuleAsType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Implements&apos; not valid in Modules.. '''</summary> Friend ReadOnly Property ERR_ModuleCantImplement() As String Get Return ResourceManager.GetString("ERR_ModuleCantImplement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Inherits&apos; not valid in Modules.. '''</summary> Friend ReadOnly Property ERR_ModuleCantInherit() As String Get Return ResourceManager.GetString("ERR_ModuleCantInherit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Declare&apos; statements in a Module cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleCantUseDLLDeclareSpecifier1() As String Get Return ResourceManager.GetString("ERR_ModuleCantUseDLLDeclareSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events in a Module cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleCantUseEventSpecifier1() As String Get Return ResourceManager.GetString("ERR_ModuleCantUseEventSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Methods in a Module cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleCantUseMethodSpecifier1() As String Get Return ResourceManager.GetString("ERR_ModuleCantUseMethodSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type in a Module cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleCantUseTypeSpecifier1() As String Get Return ResourceManager.GetString("ERR_ModuleCantUseTypeSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variables in Modules cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleCantUseVariableSpecifier1() As String Get Return ResourceManager.GetString("ERR_ModuleCantUseVariableSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Failed to emit module &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_ModuleEmitFailure() As String Get Return ResourceManager.GetString("ERR_ModuleEmitFailure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Members in a Module cannot implement interface members.. '''</summary> Friend ReadOnly Property ERR_ModuleMemberCantImplement() As String Get Return ResourceManager.GetString("ERR_ModuleMemberCantImplement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Module&apos; statements can occur only at file or namespace level.. '''</summary> Friend ReadOnly Property ERR_ModuleNotAtNamespace() As String Get Return ResourceManager.GetString("ERR_ModuleNotAtNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Modules cannot be generic.. '''</summary> Friend ReadOnly Property ERR_ModulesCannotBeGeneric() As String Get Return ResourceManager.GetString("ERR_ModulesCannotBeGeneric", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub Main&apos; is declared more than once in &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_MoreThanOneValidMainWasFound2() As String Get Return ResourceManager.GetString("ERR_MoreThanOneValidMainWasFound2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Multiline lambda expression is missing &apos;End Function&apos;.. '''</summary> Friend ReadOnly Property ERR_MultilineLambdaMissingFunction() As String Get Return ResourceManager.GetString("ERR_MultilineLambdaMissingFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Multiline lambda expression is missing &apos;End Sub&apos;.. '''</summary> Friend ReadOnly Property ERR_MultilineLambdaMissingSub() As String Get Return ResourceManager.GetString("ERR_MultilineLambdaMissingSub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On Error&apos; and &apos;Resume&apos; cannot appear inside a lambda expression.. '''</summary> Friend ReadOnly Property ERR_MultilineLambdasCannotContainOnError() As String Get Return ResourceManager.GetString("ERR_MultilineLambdasCannotContainOnError", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; can only have one constraint that is a class.. '''</summary> Friend ReadOnly Property ERR_MultipleClassConstraints1() As String Get Return ResourceManager.GetString("ERR_MultipleClassConstraints1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event &apos;{0}&apos; cannot implement event &apos;{2}.{1}&apos; because its delegate type does not match the delegate type of another event implemented by &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_MultipleEventImplMismatch3() As String Get Return ResourceManager.GetString("ERR_MultipleEventImplMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Inherits&apos; can appear only once within a &apos;Class&apos; statement and can only specify one class.. '''</summary> Friend ReadOnly Property ERR_MultipleExtends() As String Get Return ResourceManager.GetString("ERR_MultipleExtends", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; constraint cannot be specified multiple times for the same type parameter.. '''</summary> Friend ReadOnly Property ERR_MultipleNewConstraints() As String Get Return ResourceManager.GetString("ERR_MultipleNewConstraints", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Optional&apos; and &apos;ParamArray&apos; cannot be combined.. '''</summary> Friend ReadOnly Property ERR_MultipleOptionalParameterSpecifiers() As String Get Return ResourceManager.GetString("ERR_MultipleOptionalParameterSpecifiers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ByVal&apos; and &apos;ByRef&apos; cannot be combined.. '''</summary> Friend ReadOnly Property ERR_MultipleParameterSpecifiers() As String Get Return ResourceManager.GetString("ERR_MultipleParameterSpecifiers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Class&apos; constraint cannot be specified multiple times for the same type parameter.. '''</summary> Friend ReadOnly Property ERR_MultipleReferenceConstraints() As String Get Return ResourceManager.GetString("ERR_MultipleReferenceConstraints", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Structure&apos; constraint cannot be specified multiple times for the same type parameter.. '''</summary> Friend ReadOnly Property ERR_MultipleValueConstraints() As String Get Return ResourceManager.GetString("ERR_MultipleValueConstraints", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Label &apos;{0}&apos; is already defined in the current method.. '''</summary> Friend ReadOnly Property ERR_MultiplyDefined1() As String Get Return ResourceManager.GetString("ERR_MultiplyDefined1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is already declared in this {1}.. '''</summary> Friend ReadOnly Property ERR_MultiplyDefinedEnumMember2() As String Get Return ResourceManager.GetString("ERR_MultiplyDefinedEnumMember2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is already declared as &apos;{1}&apos; in this {2}.. '''</summary> Friend ReadOnly Property ERR_MultiplyDefinedType3() As String Get Return ResourceManager.GetString("ERR_MultiplyDefinedType3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Throw&apos; statement cannot omit operand outside a &apos;Catch&apos; statement or inside a &apos;Finally&apos; statement.. '''</summary> Friend ReadOnly Property ERR_MustBeInCatchToRethrow() As String Get Return ResourceManager.GetString("ERR_MustBeInCatchToRethrow", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; must be declared &apos;Overloads&apos; because another &apos;{1}&apos; is declared &apos;Overloads&apos; or &apos;Overrides&apos;.. '''</summary> Friend ReadOnly Property ERR_MustBeOverloads2() As String Get Return ResourceManager.GetString("ERR_MustBeOverloads2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a MustOverride event in the base class &apos;{1}&apos;. Visual Basic does not support event overriding. You must either provide an implementation for the event in the base class, or make class &apos;{2}&apos; MustInherit.. '''</summary> Friend ReadOnly Property ERR_MustInheritEventNotOverridden() As String Get Return ResourceManager.GetString("ERR_MustInheritEventNotOverridden", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument &apos;{0}&apos; is declared &apos;MustInherit&apos; and does not satisfy the &apos;New&apos; constraint for type parameter &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_MustInheritForNewConstraint2() As String Get Return ResourceManager.GetString("ERR_MustInheritForNewConstraint2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MustOverride&apos; cannot be specified on this member because it is in a partial type that is declared &apos;NotInheritable&apos; in another partial definition.. '''</summary> Friend ReadOnly Property ERR_MustOverOnNotInheritPartClsMem1() As String Get Return ResourceManager.GetString("ERR_MustOverOnNotInheritPartClsMem1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; must be declared &apos;MustInherit&apos; because it contains methods declared &apos;MustOverride&apos;.. '''</summary> Friend ReadOnly Property ERR_MustOverridesInClass1() As String Get Return ResourceManager.GetString("ERR_MustOverridesInClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; must be declared &apos;Shadows&apos; because another member with this name is declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property ERR_MustShadow2() As String Get Return ResourceManager.GetString("ERR_MustShadow2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Compilation options &apos;{0}&apos; and &apos;{1}&apos; can&apos;t both be specified at the same time.. '''</summary> Friend ReadOnly Property ERR_MutuallyExclusiveOptions() As String Get Return ResourceManager.GetString("ERR_MutuallyExclusiveOptions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MyBase&apos; cannot be used with method &apos;{0}&apos; because it is declared &apos;MustOverride&apos;.. '''</summary> Friend ReadOnly Property ERR_MyBaseAbstractCall1() As String Get Return ResourceManager.GetString("ERR_MyBaseAbstractCall1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MustOverride&apos; method &apos;{0}&apos; cannot be called with &apos;MyClass&apos;.. '''</summary> Friend ReadOnly Property ERR_MyClassAbstractCall1() As String Get Return ResourceManager.GetString("ERR_MyClassAbstractCall1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MyClass&apos; cannot be used outside of a class.. '''</summary> Friend ReadOnly Property ERR_MyClassNotInClass() As String Get Return ResourceManager.GetString("ERR_MyClassNotInClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to MyGroupCollectionAttribute cannot be applied to itself.. '''</summary> Friend ReadOnly Property ERR_MyGroupCollectionAttributeCycle() As String Get Return ResourceManager.GetString("ERR_MyGroupCollectionAttributeCycle", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; already has a matching omitted argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgAlsoOmitted1() As String Get Return ResourceManager.GetString("ERR_NamedArgAlsoOmitted1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; in &apos;{1}&apos; already has a matching omitted argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgAlsoOmitted2() As String Get Return ResourceManager.GetString("ERR_NamedArgAlsoOmitted2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; in extension method &apos;{1}&apos; defined in &apos;{2}&apos; already has a matching omitted argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgAlsoOmitted3() As String Get Return ResourceManager.GetString("ERR_NamedArgAlsoOmitted3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; already has a matching argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgUsedTwice1() As String Get Return ResourceManager.GetString("ERR_NamedArgUsedTwice1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; of &apos;{1}&apos; already has a matching argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgUsedTwice2() As String Get Return ResourceManager.GetString("ERR_NamedArgUsedTwice2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter &apos;{0}&apos; of extension method &apos;{1}&apos; defined in &apos;{2}&apos; already has a matching argument.. '''</summary> Friend ReadOnly Property ERR_NamedArgUsedTwice3() As String Get Return ResourceManager.GetString("ERR_NamedArgUsedTwice3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Named argument cannot match a ParamArray parameter.. '''</summary> Friend ReadOnly Property ERR_NamedParamArrayArgument() As String Get Return ResourceManager.GetString("ERR_NamedParamArrayArgument", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a method parameter.. '''</summary> Friend ReadOnly Property ERR_NamedParamNotFound1() As String Get Return ResourceManager.GetString("ERR_NamedParamNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a parameter of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_NamedParamNotFound2() As String Get Return ResourceManager.GetString("ERR_NamedParamNotFound2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a parameter of extension method &apos;{1}&apos; defined in &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_NamedParamNotFound3() As String Get Return ResourceManager.GetString("ERR_NamedParamNotFound3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Named arguments are not valid as array subscripts.. '''</summary> Friend ReadOnly Property ERR_NamedSubscript() As String Get Return ResourceManager.GetString("ERR_NamedSubscript", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not declared. It may be inaccessible due to its protection level.. '''</summary> Friend ReadOnly Property ERR_NameNotDeclared1() As String Get Return ResourceManager.GetString("ERR_NameNotDeclared1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not an event of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_NameNotEvent2() As String Get Return ResourceManager.GetString("ERR_NameNotEvent2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a member of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_NameNotMember2() As String Get Return ResourceManager.GetString("ERR_NameNotMember2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not a member of &apos;{1}&apos;; it does not exist in the current context.. '''</summary> Friend ReadOnly Property ERR_NameNotMemberOfAnonymousType2() As String Get Return ResourceManager.GetString("ERR_NameNotMemberOfAnonymousType2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is already declared as a type parameter of this method.. '''</summary> Friend ReadOnly Property ERR_NameSameAsMethodTypeParam1() As String Get Return ResourceManager.GetString("ERR_NameSameAsMethodTypeParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to You cannot declare Namespace in script code. '''</summary> Friend ReadOnly Property ERR_NamespaceNotAllowedInScript() As String Get Return ResourceManager.GetString("ERR_NamespaceNotAllowedInScript", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Namespace&apos; statements can occur only at file or namespace level.. '''</summary> Friend ReadOnly Property ERR_NamespaceNotAtNamespace() As String Get Return ResourceManager.GetString("ERR_NamespaceNotAtNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a namespace and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_NamespaceNotExpression1() As String Get Return ResourceManager.GetString("ERR_NamespaceNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On disallows implicit conversions from &apos;{0}&apos; to &apos;{1}&apos;; the Visual Basic 6.0 collection type is not compatible with the .NET Framework collection type.. '''</summary> Friend ReadOnly Property ERR_NarrowingConversionCollection2() As String Get Return ResourceManager.GetString("ERR_NarrowingConversionCollection2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On disallows implicit conversions from &apos;{0}&apos; to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_NarrowingConversionDisallowed2() As String Get Return ResourceManager.GetString("ERR_NarrowingConversionDisallowed2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to the /moduleassemblyname option may only be specified when building a target of type &apos;module&apos;. '''</summary> Friend ReadOnly Property ERR_NeedModule() As String Get Return ResourceManager.GetString("ERR_NeedModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array dimensions cannot have a negative size.. '''</summary> Friend ReadOnly Property ERR_NegativeArraySize() As String Get Return ResourceManager.GetString("ERR_NegativeArraySize", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; cannot inherit from a type nested within it.. '''</summary> Friend ReadOnly Property ERR_NestedBase2() As String Get Return ResourceManager.GetString("ERR_NestedBase2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;#ExternalSource&apos; directives cannot be nested.. '''</summary> Friend ReadOnly Property ERR_NestedExternalSource() As String Get Return ResourceManager.GetString("ERR_NestedExternalSource", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Return type of nested function matching parameter &apos;{0}&apos; narrows from &apos;{1}&apos; to &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_NestedFunctionArgumentNarrowing3() As String Get Return ResourceManager.GetString("ERR_NestedFunctionArgumentNarrowing3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Global namespace may not be nested in another namespace.. '''</summary> Friend ReadOnly Property ERR_NestedGlobalNamespace() As String Get Return ResourceManager.GetString("ERR_NestedGlobalNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nested type &apos;{0}&apos; cannot be embedded.. '''</summary> Friend ReadOnly Property ERR_NestedInteropType() As String Get Return ResourceManager.GetString("ERR_NestedInteropType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; cannot reference its nested type &apos;{1}&apos; in Inherits clause.. '''</summary> Friend ReadOnly Property ERR_NestedTypeInInheritsClause2() As String Get Return ResourceManager.GetString("ERR_NestedTypeInInheritsClause2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; does not inherit the generic type parameters of its container.. '''</summary> Friend ReadOnly Property ERR_NestingViolatesCLS1() As String Get Return ResourceManager.GetString("ERR_NestingViolatesCLS1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Module name &apos;{0}&apos; stored in &apos;{1}&apos; must match its filename.. '''</summary> Friend ReadOnly Property ERR_NetModuleNameMismatch() As String Get Return ResourceManager.GetString("ERR_NetModuleNameMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Module &apos;{0}&apos; is already defined in this assembly. Each module must have a unique filename.. '''</summary> Friend ReadOnly Property ERR_NetModuleNameMustBeUnique() As String Get Return ResourceManager.GetString("ERR_NetModuleNameMustBeUnique", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; constraint and &apos;Structure&apos; constraint cannot be combined.. '''</summary> Friend ReadOnly Property ERR_NewAndValueConstraintsCombined() As String Get Return ResourceManager.GetString("ERR_NewAndValueConstraintsCombined", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Arguments cannot be passed to a &apos;New&apos; used on a type parameter.. '''</summary> Friend ReadOnly Property ERR_NewArgsDisallowedForTypeParam() As String Get Return ResourceManager.GetString("ERR_NewArgsDisallowedForTypeParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot handle events.. '''</summary> Friend ReadOnly Property ERR_NewCannotHandleEvents() As String Get Return ResourceManager.GetString("ERR_NewCannotHandleEvents", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; cannot be used on a type parameter that does not have a &apos;New&apos; constraint.. '''</summary> Friend ReadOnly Property ERR_NewIfNullOnGenericParam() As String Get Return ResourceManager.GetString("ERR_NewIfNullOnGenericParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; cannot be used on an interface.. '''</summary> Friend ReadOnly Property ERR_NewIfNullOnNonClass() As String Get Return ResourceManager.GetString("ERR_NewIfNullOnNonClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub New&apos; cannot be declared in an interface.. '''</summary> Friend ReadOnly Property ERR_NewInInterface() As String Get Return ResourceManager.GetString("ERR_NewInInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Structures cannot declare a non-shared &apos;Sub New&apos; with no parameters.. '''</summary> Friend ReadOnly Property ERR_NewInStruct() As String Get Return ResourceManager.GetString("ERR_NewInStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;New&apos; cannot be used on a class that is declared &apos;MustInherit&apos;.. '''</summary> Friend ReadOnly Property ERR_NewOnAbstractClass() As String Get Return ResourceManager.GetString("ERR_NewOnAbstractClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Next control variable does not match For loop control variable &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_NextForMismatch1() As String Get Return ResourceManager.GetString("ERR_NextForMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Next&apos; must be preceded by a matching &apos;For&apos;.. '''</summary> Friend ReadOnly Property ERR_NextNoMatchingFor() As String Get Return ResourceManager.GetString("ERR_NextNoMatchingFor", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; has no accessible &apos;Sub New&apos; and cannot be inherited.. '''</summary> Friend ReadOnly Property ERR_NoAccessibleConstructorOnBase() As String Get Return ResourceManager.GetString("ERR_NoAccessibleConstructorOnBase", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Get&apos; accessor of property &apos;{0}&apos; is not accessible.. '''</summary> Friend ReadOnly Property ERR_NoAccessibleGet() As String Get Return ResourceManager.GetString("ERR_NoAccessibleGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; accessor of property &apos;{0}&apos; is not accessible.. '''</summary> Friend ReadOnly Property ERR_NoAccessibleSet() As String Get Return ResourceManager.GetString("ERR_NoAccessibleSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot initialize the type &apos;{0}&apos; with a collection initializer because it does not have an accessible &apos;Add&apos; method.. '''</summary> Friend ReadOnly Property ERR_NoAddMethod1() As String Get Return ResourceManager.GetString("ERR_NoAddMethod1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; accepts this number of arguments.. '''</summary> Friend ReadOnly Property ERR_NoArgumentCountOverloadCandidates1() As String Get Return ResourceManager.GetString("ERR_NoArgumentCountOverloadCandidates1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; can be called with these arguments:{1}. '''</summary> Friend ReadOnly Property ERR_NoCallableOverloadCandidates2() As String Get Return ResourceManager.GetString("ERR_NoCallableOverloadCandidates2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bounds can be specified only for the top-level array when initializing an array of arrays.. '''</summary> Friend ReadOnly Property ERR_NoConstituentArraySizes() As String Get Return ResourceManager.GetString("ERR_NoConstituentArraySizes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; must declare a &apos;Sub New&apos; because its base class &apos;{1}&apos; does not have an accessible &apos;Sub New&apos; that can be called with no arguments.. '''</summary> Friend ReadOnly Property ERR_NoConstructorOnBase2() As String Get Return ResourceManager.GetString("ERR_NoConstructorOnBase2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; cannot be indexed because it has no default property.. '''</summary> Friend ReadOnly Property ERR_NoDefaultNotExtend1() As String Get Return ResourceManager.GetString("ERR_NoDefaultNotExtend1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegate &apos;{0}&apos; requires an &apos;AddressOf&apos; expression or lambda expression as the only argument to its constructor.. '''</summary> Friend ReadOnly Property ERR_NoDirectDelegateConstruction1() As String Get Return ResourceManager.GetString("ERR_NoDirectDelegateConstruction1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array bounds cannot appear in type specifiers.. '''</summary> Friend ReadOnly Property ERR_NoExplicitArraySizes() As String Get Return ResourceManager.GetString("ERR_NoExplicitArraySizes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; is &apos;WriteOnly&apos;.. '''</summary> Friend ReadOnly Property ERR_NoGetProperty1() As String Get Return ResourceManager.GetString("ERR_NoGetProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Global&apos; not allowed in this context; identifier expected.. '''</summary> Friend ReadOnly Property ERR_NoGlobalExpectedIdentifier() As String Get Return ResourceManager.GetString("ERR_NoGlobalExpectedIdentifier", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Global&apos; not allowed in handles; local name expected.. '''</summary> Friend ReadOnly Property ERR_NoGlobalInHandles() As String Get Return ResourceManager.GetString("ERR_NoGlobalInHandles", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; is most specific for these arguments:{1}. '''</summary> Friend ReadOnly Property ERR_NoMostSpecificOverload2() As String Get Return ResourceManager.GetString("ERR_NoMostSpecificOverload2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; cannot be initialized in an object initializer expression because it is not a field or property.. '''</summary> Friend ReadOnly Property ERR_NonFieldPropertyAggrMemberInit1() As String Get Return ResourceManager.GetString("ERR_NonFieldPropertyAggrMemberInit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{1}&apos; for the Imports &apos;{0}&apos; does not refer to a Namespace, Class, Structure, Enum or Module.. '''</summary> Friend ReadOnly Property ERR_NonNamespaceOrClassOnImport2() As String Get Return ResourceManager.GetString("ERR_NonNamespaceOrClassOnImport2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; with no parameters cannot be found.. '''</summary> Friend ReadOnly Property ERR_NoNonIndexProperty1() As String Get Return ResourceManager.GetString("ERR_NoNonIndexProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; can be called without a narrowing conversion:{1}. '''</summary> Friend ReadOnly Property ERR_NoNonNarrowingOverloadCandidates2() As String Get Return ResourceManager.GetString("ERR_NoNonNarrowingOverloadCandidates2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; must declare a &apos;Sub New&apos; because the &apos;{1}&apos; in its base class &apos;{2}&apos; is marked obsolete.. '''</summary> Friend ReadOnly Property ERR_NoNonObsoleteConstructorOnBase3() As String Get Return ResourceManager.GetString("ERR_NoNonObsoleteConstructorOnBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; must declare a &apos;Sub New&apos; because the &apos;{1}&apos; in its base class &apos;{2}&apos; is marked obsolete: &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_NoNonObsoleteConstructorOnBase4() As String Get Return ResourceManager.GetString("ERR_NoNonObsoleteConstructorOnBase4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;AddressOf&apos; cannot be applied to &apos;{0}&apos; because &apos;{0}&apos; is a partial method without an implementation.. '''</summary> Friend ReadOnly Property ERR_NoPartialMethodInAddressOf1() As String Get Return ResourceManager.GetString("ERR_NoPartialMethodInAddressOf1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interop type &apos;{0}&apos; cannot be embedded because it is missing the required &apos;{1}&apos; attribute.. '''</summary> Friend ReadOnly Property ERR_NoPIAAttributeMissing2() As String Get Return ResourceManager.GetString("ERR_NoPIAAttributeMissing2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to unable to open response file &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_NoResponseFile() As String Get Return ResourceManager.GetString("ERR_NoResponseFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; is &apos;ReadOnly&apos;.. '''</summary> Friend ReadOnly Property ERR_NoSetProperty1() As String Get Return ResourceManager.GetString("ERR_NoSetProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to no input sources specified. '''</summary> Friend ReadOnly Property ERR_NoSources() As String Get Return ResourceManager.GetString("ERR_NoSources", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to cannot infer an output file name from resource only input files; provide the &apos;/out&apos; option. '''</summary> Friend ReadOnly Property ERR_NoSourcesOut() As String Get Return ResourceManager.GetString("ERR_NoSourcesOut", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument &apos;{0}&apos; must have a public parameterless instance constructor to satisfy the &apos;New&apos; constraint for type parameter &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_NoSuitableNewForNewConstraint2() As String Get Return ResourceManager.GetString("ERR_NoSuitableNewForNewConstraint2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of &apos;{0}&apos; cannot be inferred because the loop bounds and the step clause do not convert to the same type.. '''</summary> Friend ReadOnly Property ERR_NoSuitableWidestType1() As String Get Return ResourceManager.GetString("ERR_NoSuitableWidestType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot initialize the type &apos;{0}&apos; with a collection initializer because it is not a collection type.. '''</summary> Friend ReadOnly Property ERR_NotACollection1() As String Get Return ResourceManager.GetString("ERR_NotACollection1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Not most specific.. '''</summary> Friend ReadOnly Property ERR_NotMostSpecificOverload() As String Get Return ResourceManager.GetString("ERR_NotMostSpecificOverload", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;NotOverridable&apos; cannot be specified for methods that do not override another method.. '''</summary> Friend ReadOnly Property ERR_NotOverridableRequiresOverrides() As String Get Return ResourceManager.GetString("ERR_NotOverridableRequiresOverrides", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no accessible &apos;{0}&apos; accepts this number of type arguments.. '''</summary> Friend ReadOnly Property ERR_NoTypeArgumentCountOverloadCand1() As String Get Return ResourceManager.GetString("ERR_NoTypeArgumentCountOverloadCand1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type characters are not allowed on Imports aliases.. '''</summary> Friend ReadOnly Property ERR_NoTypecharInAlias() As String Get Return ResourceManager.GetString("ERR_NoTypecharInAlias", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type characters are not allowed in label identifiers.. '''</summary> Friend ReadOnly Property ERR_NoTypecharInLabel() As String Get Return ResourceManager.GetString("ERR_NoTypecharInLabel", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; must declare a &apos;Sub New&apos; because its base class &apos;{1}&apos; has more than one accessible &apos;Sub New&apos; that can be called with no arguments.. '''</summary> Friend ReadOnly Property ERR_NoUniqueConstructorOnBase2() As String Get Return ResourceManager.GetString("ERR_NoUniqueConstructorOnBase2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overload resolution failed because no &apos;{0}&apos; is accessible.. '''</summary> Friend ReadOnly Property ERR_NoViableOverloadCandidates1() As String Get Return ResourceManager.GetString("ERR_NoViableOverloadCandidates1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Handles clause requires a WithEvents variable defined in the containing type or one of its base types.. '''</summary> Friend ReadOnly Property ERR_NoWithEventsVarOnHandlesList() As String Get Return ResourceManager.GetString("ERR_NoWithEventsVarOnHandlesList", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML axis properties do not support late binding.. '''</summary> Friend ReadOnly Property ERR_NoXmlAxesLateBinding() As String Get Return ResourceManager.GetString("ERR_NoXmlAxesLateBinding", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; cannot be initialized in an object initializer expression because all accessible overloads require arguments.. '''</summary> Friend ReadOnly Property ERR_NoZeroCountArgumentInitCandidates1() As String Get Return ResourceManager.GetString("ERR_NoZeroCountArgumentInitCandidates1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;?&apos; character cannot be used here.. '''</summary> Friend ReadOnly Property ERR_NullableCharNotSupported() As String Get Return ResourceManager.GetString("ERR_NullableCharNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.Nullable&apos; does not satisfy the &apos;Structure&apos; constraint for type parameter &apos;{0}&apos;. Only non-nullable &apos;Structure&apos; types are allowed.. '''</summary> Friend ReadOnly Property ERR_NullableDisallowedForStructConstr1() As String Get Return ResourceManager.GetString("ERR_NullableDisallowedForStructConstr1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable modifier cannot be used with a variable whose implicit type is &apos;Object&apos;.. '''</summary> Friend ReadOnly Property ERR_NullableImplicit() As String Get Return ResourceManager.GetString("ERR_NullableImplicit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable parameters must specify a type.. '''</summary> Friend ReadOnly Property ERR_NullableParameterMustSpecifyType() As String Get Return ResourceManager.GetString("ERR_NullableParameterMustSpecifyType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Nullable type inference is not supported in this context.. '''</summary> Friend ReadOnly Property ERR_NullableTypeInferenceNotSupported() As String Get Return ResourceManager.GetString("ERR_NullableTypeInferenceNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to A null propagating operator cannot be converted into an expression tree.. '''</summary> Friend ReadOnly Property ERR_NullPropagatingOpInExpressionTree() As String Get Return ResourceManager.GetString("ERR_NullPropagatingOpInExpressionTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Object initializers require a field name to initialize.. '''</summary> Friend ReadOnly Property ERR_ObjectInitializerRequiresFieldName() As String Get Return ResourceManager.GetString("ERR_ObjectInitializerRequiresFieldName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference to a non-shared member requires an object reference.. '''</summary> Friend ReadOnly Property ERR_ObjectReferenceNotSupplied() As String Get Return ResourceManager.GetString("ERR_ObjectReferenceNotSupplied", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method arguments must be enclosed in parentheses.. '''</summary> Friend ReadOnly Property ERR_ObsoleteArgumentsNeedParens() As String Get Return ResourceManager.GetString("ERR_ObsoleteArgumentsNeedParens", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;As Any&apos; is not supported in &apos;Declare&apos; statements.. '''</summary> Friend ReadOnly Property ERR_ObsoleteAsAny() As String Get Return ResourceManager.GetString("ERR_ObsoleteAsAny", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;EndIf&apos; statements are no longer supported; use &apos;End If&apos; instead.. '''</summary> Friend ReadOnly Property ERR_ObsoleteEndIf() As String Get Return ResourceManager.GetString("ERR_ObsoleteEndIf", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;D&apos; can no longer be used to indicate an exponent, use &apos;E&apos; instead.. '''</summary> Friend ReadOnly Property ERR_ObsoleteExponent() As String Get Return ResourceManager.GetString("ERR_ObsoleteExponent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Get&apos; statements are no longer supported. File I/O functionality is available in the &apos;Microsoft.VisualBasic&apos; namespace.. '''</summary> Friend ReadOnly Property ERR_ObsoleteGetStatement() As String Get Return ResourceManager.GetString("ERR_ObsoleteGetStatement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;GoSub&apos; statements are no longer supported.. '''</summary> Friend ReadOnly Property ERR_ObsoleteGosub() As String Get Return ResourceManager.GetString("ERR_ObsoleteGosub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be applied to the &apos;AddHandler&apos;, &apos;RemoveHandler&apos;, or &apos;RaiseEvent&apos; definitions. If required, apply the attribute directly to the event.. '''</summary> Friend ReadOnly Property ERR_ObsoleteInvalidOnEventMember() As String Get Return ResourceManager.GetString("ERR_ObsoleteInvalidOnEventMember", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Let&apos; and &apos;Set&apos; assignment statements are no longer supported.. '''</summary> Friend ReadOnly Property ERR_ObsoleteLetSetNotNeeded() As String Get Return ResourceManager.GetString("ERR_ObsoleteLetSetNotNeeded", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Labels that are numbers must be followed by colons.. '''</summary> Friend ReadOnly Property ERR_ObsoleteLineNumbersAreLabels() As String Get Return ResourceManager.GetString("ERR_ObsoleteLineNumbersAreLabels", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Variant&apos; is no longer a supported type; use the &apos;Object&apos; type instead.. '''</summary> Friend ReadOnly Property ERR_ObsoleteObjectNotVariant() As String Get Return ResourceManager.GetString("ERR_ObsoleteObjectNotVariant", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On GoTo&apos; and &apos;On GoSub&apos; statements are no longer supported.. '''</summary> Friend ReadOnly Property ERR_ObsoleteOnGotoGosub() As String Get Return ResourceManager.GetString("ERR_ObsoleteOnGotoGosub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Optional parameters must specify a default value.. '''</summary> Friend ReadOnly Property ERR_ObsoleteOptionalWithoutValue() As String Get Return ResourceManager.GetString("ERR_ObsoleteOptionalWithoutValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property Get/Let/Set are no longer supported; use the new Property declaration syntax.. '''</summary> Friend ReadOnly Property ERR_ObsoletePropertyGetLetSet() As String Get Return ResourceManager.GetString("ERR_ObsoletePropertyGetLetSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReDim&apos; statements can no longer be used to declare array variables.. '''</summary> Friend ReadOnly Property ERR_ObsoleteRedimAs() As String Get Return ResourceManager.GetString("ERR_ObsoleteRedimAs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Type&apos; statements are no longer supported; use &apos;Structure&apos; statements instead.. '''</summary> Friend ReadOnly Property ERR_ObsoleteStructureNotType() As String Get Return ResourceManager.GetString("ERR_ObsoleteStructureNotType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Wend&apos; statements are no longer supported; use &apos;End While&apos; statements instead.. '''</summary> Friend ReadOnly Property ERR_ObsoleteWhileWend() As String Get Return ResourceManager.GetString("ERR_ObsoleteWhileWend", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Of&apos; required when specifying type arguments for a generic type or method.. '''</summary> Friend ReadOnly Property ERR_OfExpected() As String Get Return ResourceManager.GetString("ERR_OfExpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument not specified for parameter &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_OmittedArgument1() As String Get Return ResourceManager.GetString("ERR_OmittedArgument1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument not specified for parameter &apos;{0}&apos; of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_OmittedArgument2() As String Get Return ResourceManager.GetString("ERR_OmittedArgument2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument not specified for parameter &apos;{0}&apos; of extension method &apos;{1}&apos; defined in &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_OmittedArgument3() As String Get Return ResourceManager.GetString("ERR_OmittedArgument3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Omitted argument cannot match a ParamArray parameter.. '''</summary> Friend ReadOnly Property ERR_OmittedParamArrayArgument() As String Get Return ResourceManager.GetString("ERR_OmittedParamArrayArgument", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; must have either one or two parameters.. '''</summary> Friend ReadOnly Property ERR_OneOrTwoParametersRequired1() As String Get Return ResourceManager.GetString("ERR_OneOrTwoParametersRequired1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; must have one parameter.. '''</summary> Friend ReadOnly Property ERR_OneParameterRequired1() As String Get Return ResourceManager.GetString("ERR_OneParameterRequired1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On Error&apos; statements are not valid within &apos;SyncLock&apos; statements.. '''</summary> Friend ReadOnly Property ERR_OnErrorInSyncLock() As String Get Return ResourceManager.GetString("ERR_OnErrorInSyncLock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On Error&apos; statements are not valid within &apos;Using&apos; statements.. '''</summary> Friend ReadOnly Property ERR_OnErrorInUsing() As String Get Return ResourceManager.GetString("ERR_OnErrorInUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Array lower bounds can be only &apos;0&apos;.. '''</summary> Friend ReadOnly Property ERR_OnlyNullLowerBound() As String Get Return ResourceManager.GetString("ERR_OnlyNullLowerBound", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Access modifier can only be applied to either &apos;Get&apos; or &apos;Set&apos;, but not both.. '''</summary> Friend ReadOnly Property ERR_OnlyOneAccessorForGetSet() As String Get Return ResourceManager.GetString("ERR_OnlyOneAccessorForGetSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; cannot implement partial method &apos;{1}&apos; because &apos;{2}&apos; already implements it. Only one method can implement a partial method.. '''</summary> Friend ReadOnly Property ERR_OnlyOneImplementingMethodAllowed3() As String Get Return ResourceManager.GetString("ERR_OnlyOneImplementingMethodAllowed3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; cannot be declared &apos;Partial&apos; because only one method &apos;{1}&apos; can be marked &apos;Partial&apos;.. '''</summary> Friend ReadOnly Property ERR_OnlyOnePartialMethodAllowed2() As String Get Return ResourceManager.GetString("ERR_OnlyOnePartialMethodAllowed2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Partial methods must be declared &apos;Private&apos; instead of &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_OnlyPrivatePartialMethods1() As String Get Return ResourceManager.GetString("ERR_OnlyPrivatePartialMethods1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameters or types constructed with type parameters are not allowed in attribute arguments.. '''</summary> Friend ReadOnly Property ERR_OpenTypeDisallowed() As String Get Return ResourceManager.GetString("ERR_OpenTypeDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operators cannot be declared in modules.. '''</summary> Friend ReadOnly Property ERR_OperatorDeclaredInModule() As String Get Return ResourceManager.GetString("ERR_OperatorDeclaredInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operators must be declared &apos;Public&apos;.. '''</summary> Friend ReadOnly Property ERR_OperatorMustBePublic() As String Get Return ResourceManager.GetString("ERR_OperatorMustBePublic", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operators must be declared &apos;Shared&apos;.. '''</summary> Friend ReadOnly Property ERR_OperatorMustBeShared() As String Get Return ResourceManager.GetString("ERR_OperatorMustBeShared", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator is not overloadable. Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.. '''</summary> Friend ReadOnly Property ERR_OperatorNotOverloadable() As String Get Return ResourceManager.GetString("ERR_OperatorNotOverloadable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; must have a return type of Boolean.. '''</summary> Friend ReadOnly Property ERR_OperatorRequiresBoolReturnType1() As String Get Return ResourceManager.GetString("ERR_OperatorRequiresBoolReturnType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; must have a second parameter of type &apos;Integer&apos; or &apos;Integer?&apos;.. '''</summary> Friend ReadOnly Property ERR_OperatorRequiresIntegerParameter1() As String Get Return ResourceManager.GetString("ERR_OperatorRequiresIntegerParameter1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; parameters cannot be declared &apos;Optional&apos;.. '''</summary> Friend ReadOnly Property ERR_OptionalIllegal1() As String Get Return ResourceManager.GetString("ERR_OptionalIllegal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic parameters used as optional parameter types must be class constrained.. '''</summary> Friend ReadOnly Property ERR_OptionalsCantBeStructGenericParams() As String Get Return ResourceManager.GetString("ERR_OptionalsCantBeStructGenericParams", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option &apos;{0}&apos; must be an absolute path.. '''</summary> Friend ReadOnly Property ERR_OptionMustBeAbsolutePath() As String Get Return ResourceManager.GetString("ERR_OptionMustBeAbsolutePath", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Option&apos; statements must precede any declarations or &apos;Imports&apos; statements.. '''</summary> Friend ReadOnly Property ERR_OptionStmtWrongOrder() As String Get Return ResourceManager.GetString("ERR_OptionStmtWrongOrder", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Overflow.. '''</summary> Friend ReadOnly Property ERR_Overflow() As String Get Return ResourceManager.GetString("ERR_Overflow", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' {0}. '''</summary> Friend ReadOnly Property ERR_OverloadCandidate1() As String Get Return ResourceManager.GetString("ERR_OverloadCandidate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_OverloadCandidate2() As String Get Return ResourceManager.GetString("ERR_OverloadCandidate2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by &apos;ReadOnly&apos; or &apos;WriteOnly&apos;.. '''</summary> Friend ReadOnly Property ERR_OverloadingPropertyKind2() As String Get Return ResourceManager.GetString("ERR_OverloadingPropertyKind2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Inappropriate use of &apos;{0}&apos; keyword in a module.. '''</summary> Friend ReadOnly Property ERR_OverloadsModifierInModule() As String Get Return ResourceManager.GetString("ERR_OverloadsModifierInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by parameters declared &apos;ParamArray&apos;.. '''</summary> Friend ReadOnly Property ERR_OverloadWithArrayVsParamArray2() As String Get Return ResourceManager.GetString("ERR_OverloadWithArrayVsParamArray2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by parameters declared &apos;ByRef&apos; or &apos;ByVal&apos;.. '''</summary> Friend ReadOnly Property ERR_OverloadWithByref2() As String Get Return ResourceManager.GetString("ERR_OverloadWithByref2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by the default values of optional parameters.. '''</summary> Friend ReadOnly Property ERR_OverloadWithDefault2() As String Get Return ResourceManager.GetString("ERR_OverloadWithDefault2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by optional parameters.. '''</summary> Friend ReadOnly Property ERR_OverloadWithOptional2() As String Get Return ResourceManager.GetString("ERR_OverloadWithOptional2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; and &apos;{1}&apos; cannot overload each other because they differ only by return types.. '''</summary> Friend ReadOnly Property ERR_OverloadWithReturnType2() As String Get Return ResourceManager.GetString("ERR_OverloadWithReturnType2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos;. '''</summary> Friend ReadOnly Property ERR_OverriddenCandidate1() As String Get Return ResourceManager.GetString("ERR_OverriddenCandidate1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; cannot be declared &apos;Overrides&apos; because it does not override a {0} in a base class.. '''</summary> Friend ReadOnly Property ERR_OverrideNotNeeded3() As String Get Return ResourceManager.GetString("ERR_OverrideNotNeeded3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Methods declared &apos;Overrides&apos; cannot be declared &apos;Overridable&apos; because they are implicitly overridable.. '''</summary> Friend ReadOnly Property ERR_OverridesImpliesOverridable() As String Get Return ResourceManager.GetString("ERR_OverridesImpliesOverridable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by parameters declared &apos;ParamArray&apos;.. '''</summary> Friend ReadOnly Property ERR_OverrideWithArrayVsParamArray2() As String Get Return ResourceManager.GetString("ERR_OverrideWithArrayVsParamArray2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by a parameter that is marked as &apos;ByRef&apos; versus &apos;ByVal&apos;.. '''</summary> Friend ReadOnly Property ERR_OverrideWithByref2() As String Get Return ResourceManager.GetString("ERR_OverrideWithByref2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by type parameter constraints.. '''</summary> Friend ReadOnly Property ERR_OverrideWithConstraintMismatch2() As String Get Return ResourceManager.GetString("ERR_OverrideWithConstraintMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by the default values of optional parameters.. '''</summary> Friend ReadOnly Property ERR_OverrideWithDefault2() As String Get Return ResourceManager.GetString("ERR_OverrideWithDefault2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by optional parameters.. '''</summary> Friend ReadOnly Property ERR_OverrideWithOptional2() As String Get Return ResourceManager.GetString("ERR_OverrideWithOptional2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by the types of optional parameters.. '''</summary> Friend ReadOnly Property ERR_OverrideWithOptionalTypes2() As String Get Return ResourceManager.GetString("ERR_OverrideWithOptionalTypes2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot override &apos;{1}&apos; because they differ by &apos;ReadOnly&apos; or &apos;WriteOnly&apos;.. '''</summary> Friend ReadOnly Property ERR_OverridingPropertyKind2() As String Get Return ResourceManager.GetString("ERR_OverridingPropertyKind2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Argument cannot match a ParamArray parameter.. '''</summary> Friend ReadOnly Property ERR_ParamArrayArgumentMismatch() As String Get Return ResourceManager.GetString("ERR_ParamArrayArgumentMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; parameters cannot be declared &apos;ParamArray&apos;.. '''</summary> Friend ReadOnly Property ERR_ParamArrayIllegal1() As String Get Return ResourceManager.GetString("ERR_ParamArrayIllegal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ParamArray parameters must be declared &apos;ByVal&apos;.. '''</summary> Friend ReadOnly Property ERR_ParamArrayMustBeByVal() As String Get Return ResourceManager.GetString("ERR_ParamArrayMustBeByVal", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to End of parameter list expected. Cannot define parameters after a paramarray parameter.. '''</summary> Friend ReadOnly Property ERR_ParamArrayMustBeLast() As String Get Return ResourceManager.GetString("ERR_ParamArrayMustBeLast", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ParamArray parameter must be an array.. '''</summary> Friend ReadOnly Property ERR_ParamArrayNotArray() As String Get Return ResourceManager.GetString("ERR_ParamArrayNotArray", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ParamArray parameter must be a one-dimensional array.. '''</summary> Friend ReadOnly Property ERR_ParamArrayRank() As String Get Return ResourceManager.GetString("ERR_ParamArrayRank", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method cannot have both a ParamArray and Optional parameters.. '''</summary> Friend ReadOnly Property ERR_ParamArrayWithOptArgs() As String Get Return ResourceManager.GetString("ERR_ParamArrayWithOptArgs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ParamArray parameters must have an array type.. '''</summary> Friend ReadOnly Property ERR_ParamArrayWrongType() As String Get Return ResourceManager.GetString("ERR_ParamArrayWrongType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The parameter has multiple distinct default values.. '''</summary> Friend ReadOnly Property ERR_ParamDefaultValueDiffersFromAttribute() As String Get Return ResourceManager.GetString("ERR_ParamDefaultValueDiffersFromAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; cannot be initialized in an object initializer expression because it requires arguments.. '''</summary> Friend ReadOnly Property ERR_ParameterizedPropertyInAggrInit1() As String Get Return ResourceManager.GetString("ERR_ParameterizedPropertyInAggrInit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter not valid for the specified unmanaged type.. '''</summary> Friend ReadOnly Property ERR_ParameterNotValidForType() As String Get Return ResourceManager.GetString("ERR_ParameterNotValidForType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter cannot have the same name as its defining function.. '''</summary> Friend ReadOnly Property ERR_ParamNameFunctionNameCollision() As String Get Return ResourceManager.GetString("ERR_ParamNameFunctionNameCollision", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to All parameters must be explicitly typed if any of them are explicitly typed.. '''</summary> Friend ReadOnly Property ERR_ParamTypingInconsistency() As String Get Return ResourceManager.GetString("ERR_ParamTypingInconsistency", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Partial method &apos;{0}&apos; cannot use the &apos;Implements&apos; keyword.. '''</summary> Friend ReadOnly Property ERR_PartialDeclarationImplements1() As String Get Return ResourceManager.GetString("ERR_PartialDeclarationImplements1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Optional parameter of a method &apos;{0}&apos; does not have the same default value as the corresponding parameter of the partial method &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodDefaultParameterValueMismatch2() As String Get Return ResourceManager.GetString("ERR_PartialMethodDefaultParameterValueMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method &apos;{0}&apos; does not have the same generic constraints as the partial method &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodGenericConstraints2() As String Get Return ResourceManager.GetString("ERR_PartialMethodGenericConstraints2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Partial methods must have empty method bodies.. '''</summary> Friend ReadOnly Property ERR_PartialMethodMustBeEmpty() As String Get Return ResourceManager.GetString("ERR_PartialMethodMustBeEmpty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter of a method &apos;{0}&apos; differs by ParamArray modifier from the corresponding parameter of the partial method &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodParamArrayMismatch2() As String Get Return ResourceManager.GetString("ERR_PartialMethodParamArrayMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter name &apos;{0}&apos; does not match the name of the corresponding parameter, &apos;{1}&apos;, defined on the partial method declaration &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodParamNamesMustMatch3() As String Get Return ResourceManager.GetString("ERR_PartialMethodParamNamesMustMatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Partial methods must be declared &apos;Private&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodsMustBePrivate() As String Get Return ResourceManager.GetString("ERR_PartialMethodsMustBePrivate", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be declared &apos;Partial&apos; because partial methods must be Subs.. '''</summary> Friend ReadOnly Property ERR_PartialMethodsMustBeSub1() As String Get Return ResourceManager.GetString("ERR_PartialMethodsMustBeSub1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be declared &apos;Partial&apos; because it has the &apos;Async&apos; modifier.. '''</summary> Friend ReadOnly Property ERR_PartialMethodsMustNotBeAsync1() As String Get Return ResourceManager.GetString("ERR_PartialMethodsMustNotBeAsync1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name of type parameter &apos;{0}&apos; does not match &apos;{1}&apos;, the corresponding type parameter defined on the partial method declaration &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialMethodTypeParamNameMismatch3() As String Get Return ResourceManager.GetString("ERR_PartialMethodTypeParamNameMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Specified access &apos;{0}&apos; for &apos;{1}&apos; does not match the access &apos;{2}&apos; specified on one of its other partial types.. '''</summary> Friend ReadOnly Property ERR_PartialTypeAccessMismatch3() As String Get Return ResourceManager.GetString("ERR_PartialTypeAccessMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MustInherit&apos; cannot be specified for partial type &apos;{0}&apos; because it cannot be combined with &apos;NotInheritable&apos; specified for one of its other partial types.. '''</summary> Friend ReadOnly Property ERR_PartialTypeBadMustInherit1() As String Get Return ResourceManager.GetString("ERR_PartialTypeBadMustInherit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constraints for this type parameter do not match the constraints on the corresponding type parameter defined on one of the other partial types of &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialTypeConstraintMismatch1() As String Get Return ResourceManager.GetString("ERR_PartialTypeConstraintMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter name &apos;{0}&apos; does not match the name &apos;{1}&apos; of the corresponding type parameter defined on one of the other partial types of &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_PartialTypeTypeParamNameMismatch3() As String Get Return ResourceManager.GetString("ERR_PartialTypeTypeParamNameMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Failure writing debug information: {0}. '''</summary> Friend ReadOnly Property ERR_PDBWritingFailed() As String Get Return ResourceManager.GetString("ERR_PDBWritingFailed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error reading file &apos;{0}&apos; specified for the named argument &apos;{1}&apos; for PermissionSet attribute: &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_PermissionSetAttributeFileReadError() As String Get Return ResourceManager.GetString("ERR_PermissionSetAttributeFileReadError", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to resolve file path &apos;{0}&apos; specified for the named argument &apos;{1}&apos; for PermissionSet attribute.. '''</summary> Friend ReadOnly Property ERR_PermissionSetAttributeInvalidFile() As String Get Return ResourceManager.GetString("ERR_PermissionSetAttributeInvalidFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An error occurred while writing the output file: {0}. '''</summary> Friend ReadOnly Property ERR_PeWritingFailure() As String Get Return ResourceManager.GetString("ERR_PeWritingFailure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot embed interop types from assembly &apos;{0}&apos; because it is missing the &apos;{1}&apos; attribute.. '''</summary> Friend ReadOnly Property ERR_PIAHasNoAssemblyGuid1() As String Get Return ResourceManager.GetString("ERR_PIAHasNoAssemblyGuid1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot embed interop types from assembly &apos;{0}&apos; because it is missing either the &apos;{1}&apos; attribute or the &apos;{2}&apos; attribute.. '''</summary> Friend ReadOnly Property ERR_PIAHasNoTypeLibAttribute1() As String Get Return ResourceManager.GetString("ERR_PIAHasNoTypeLibAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} is not supported in current project type.. '''</summary> Friend ReadOnly Property ERR_PlatformDoesntSupport() As String Get Return ResourceManager.GetString("ERR_PlatformDoesntSupport", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SecurityAction value &apos;{0}&apos; is invalid for PrincipalPermission attribute.. '''</summary> Friend ReadOnly Property ERR_PrincipalPermissionInvalidAction() As String Get Return ResourceManager.GetString("ERR_PrincipalPermissionInvalidAction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Types declared &apos;Private&apos; must be inside another type.. '''</summary> Friend ReadOnly Property ERR_PrivateTypeOutsideType() As String Get Return ResourceManager.GetString("ERR_PrivateTypeOutsideType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Project-level conditional compilation constant &apos;{1}&apos; is not valid: {0}. '''</summary> Friend ReadOnly Property ERR_ProjectCCError1() As String Get Return ResourceManager.GetString("ERR_ProjectCCError1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property access must assign to the property or use its value.. '''</summary> Friend ReadOnly Property ERR_PropertyAccessIgnored() As String Get Return ResourceManager.GetString("ERR_PropertyAccessIgnored", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be implemented by a {1} property.. '''</summary> Friend ReadOnly Property ERR_PropertyDoesntImplementAllAccessors() As String Get Return ResourceManager.GetString("ERR_PropertyDoesntImplementAllAccessors", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has the same name as a member used for type &apos;{1}&apos; exposed in a &apos;My&apos; group. Rename the type or its enclosing namespace.. '''</summary> Friend ReadOnly Property ERR_PropertyNameConflictInMyCollection() As String Get Return ResourceManager.GetString("ERR_PropertyNameConflictInMyCollection", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Field or property &apos;{0}&apos; is not found.. '''</summary> Friend ReadOnly Property ERR_PropertyOrFieldNotDefined1() As String Get Return ResourceManager.GetString("ERR_PropertyOrFieldNotDefined1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property parameters cannot have the name &apos;Value&apos;.. '''</summary> Friend ReadOnly Property ERR_PropertySetParamCollisionWithValue() As String Get Return ResourceManager.GetString("ERR_PropertySetParamCollisionWithValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property without a &apos;ReadOnly&apos; or &apos;WriteOnly&apos; specifier must provide both a &apos;Get&apos; and a &apos;Set&apos;.. '''</summary> Friend ReadOnly Property ERR_PropMustHaveGetSet() As String Get Return ResourceManager.GetString("ERR_PropMustHaveGetSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Protected types can only be declared inside of a class.. '''</summary> Friend ReadOnly Property ERR_ProtectedTypeOutsideClass() As String Get Return ResourceManager.GetString("ERR_ProtectedTypeOutsideClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error extracting public key from container &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_PublicKeyContainerFailure() As String Get Return ResourceManager.GetString("ERR_PublicKeyContainerFailure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Error extracting public key from file &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_PublicKeyFileFailure() As String Get Return ResourceManager.GetString("ERR_PublicKeyFileFailure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Public sign was specified and requires a public key, but no public key was specified. '''</summary> Friend ReadOnly Property ERR_PublicSignNoKey() As String Get Return ResourceManager.GetString("ERR_PublicSignNoKey", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;:&apos; is not allowed. XML qualified names cannot be used in this context.. '''</summary> Friend ReadOnly Property ERR_QualifiedNameNotAllowed() As String Get Return ResourceManager.GetString("ERR_QualifiedNameNotAllowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;!&apos; requires its left operand to have a type parameter, class or interface type, but this operand has the type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_QualNotObjectRecord1() As String Get Return ResourceManager.GetString("ERR_QualNotObjectRecord1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.. '''</summary> Friend ReadOnly Property ERR_QueryAnonTypeFieldXMLNameInference() As String Get Return ResourceManager.GetString("ERR_QueryAnonTypeFieldXMLNameInference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type characters cannot be used in range variable declarations.. '''</summary> Friend ReadOnly Property ERR_QueryAnonymousTypeDisallowsTypeChar() As String Get Return ResourceManager.GetString("ERR_QueryAnonymousTypeDisallowsTypeChar", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable name can be inferred only from a simple or qualified name with no arguments.. '''</summary> Friend ReadOnly Property ERR_QueryAnonymousTypeFieldNameInference() As String Get Return ResourceManager.GetString("ERR_QueryAnonymousTypeFieldNameInference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable &apos;{0}&apos; is already declared.. '''</summary> Friend ReadOnly Property ERR_QueryDuplicateAnonTypeMemberName1() As String Get Return ResourceManager.GetString("ERR_QueryDuplicateAnonTypeMemberName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable name cannot match the name of a member of the &apos;Object&apos; class.. '''</summary> Friend ReadOnly Property ERR_QueryInvalidControlVariableName1() As String Get Return ResourceManager.GetString("ERR_QueryInvalidControlVariableName1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name &apos;{0}&apos; is either not declared or not in the current scope.. '''</summary> Friend ReadOnly Property ERR_QueryNameNotDeclared() As String Get Return ResourceManager.GetString("ERR_QueryNameNotDeclared", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Definition of method &apos;{0}&apos; is not accessible in this context.. '''</summary> Friend ReadOnly Property ERR_QueryOperatorNotFound() As String Get Return ResourceManager.GetString("ERR_QueryOperatorNotFound", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of the range variable cannot be inferred, and late binding is not allowed with Option Strict on. Use an &apos;As&apos; clause to specify the type.. '''</summary> Friend ReadOnly Property ERR_QueryStrictDisallowImplicitObject() As String Get Return ResourceManager.GetString("ERR_QueryStrictDisallowImplicitObject", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Embedded expression cannot appear inside a quoted attribute value. Try removing quotes.. '''</summary> Friend ReadOnly Property ERR_QuotedEmbeddedExpression() As String Get Return ResourceManager.GetString("ERR_QuotedEmbeddedExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;RaiseEvent&apos; method must have the same signature as the containing event&apos;s delegate type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_RaiseEventShapeMismatch1() As String Get Return ResourceManager.GetString("ERR_RaiseEventShapeMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; variable cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyAssignment() As String Get Return ResourceManager.GetString("ERR_ReadOnlyAssignment", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; property must provide a &apos;Get&apos;.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyHasNoGet() As String Get Return ResourceManager.GetString("ERR_ReadOnlyHasNoGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties declared &apos;ReadOnly&apos; cannot have a &apos;Set&apos;.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyHasSet() As String Get Return ResourceManager.GetString("ERR_ReadOnlyHasSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; variable cannot be the target of an assignment in a lambda expression inside a constructor.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyInClosure() As String Get Return ResourceManager.GetString("ERR_ReadOnlyInClosure", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; properties cannot have an access modifier on &apos;Get&apos;.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyNoAccessorFlag() As String Get Return ResourceManager.GetString("ERR_ReadOnlyNoAccessorFlag", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReadOnly&apos; property &apos;{0}&apos; cannot be the target of an assignment.. '''</summary> Friend ReadOnly Property ERR_ReadOnlyProperty1() As String Get Return ResourceManager.GetString("ERR_ReadOnlyProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Structure &apos;{0}&apos; cannot contain an instance of itself: {1}. '''</summary> Friend ReadOnly Property ERR_RecordCycle2() As String Get Return ResourceManager.GetString("ERR_RecordCycle2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos; contains &apos;{1}&apos; (variable &apos;{2}&apos;).. '''</summary> Friend ReadOnly Property ERR_RecordEmbeds2() As String Get Return ResourceManager.GetString("ERR_RecordEmbeds2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReDim&apos; statements require a parenthesized list of the new bounds of each dimension of the array.. '''</summary> Friend ReadOnly Property ERR_RedimNoSizes() As String Get Return ResourceManager.GetString("ERR_RedimNoSizes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;ReDim&apos; cannot change the number of dimensions of an array.. '''</summary> Friend ReadOnly Property ERR_RedimRankMismatch() As String Get Return ResourceManager.GetString("ERR_RedimRankMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Class&apos; constraint and a specific class type constraint cannot be combined.. '''</summary> Friend ReadOnly Property ERR_RefAndClassTypeConstrCombined() As String Get Return ResourceManager.GetString("ERR_RefAndClassTypeConstrCombined", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Class&apos; constraint and &apos;Structure&apos; constraint cannot be combined.. '''</summary> Friend ReadOnly Property ERR_RefAndValueConstraintsCombined() As String Get Return ResourceManager.GetString("ERR_RefAndValueConstraintsCombined", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; is not defined for types &apos;{1}&apos; and &apos;{2}&apos;. Use &apos;Is&apos; operator to compare two reference types.. '''</summary> Friend ReadOnly Property ERR_ReferenceComparison3() As String Get Return ResourceManager.GetString("ERR_ReferenceComparison3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to #R is only allowed in scripts. '''</summary> Friend ReadOnly Property ERR_ReferenceDirectiveOnlyAllowedInScripts() As String Get Return ResourceManager.GetString("ERR_ReferenceDirectiveOnlyAllowedInScripts", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}.{1}&apos; is already implemented by the base class &apos;{2}&apos;. Re-implementation of Windows Runtime Interface &apos;{3}&apos; is not allowed. '''</summary> Friend ReadOnly Property ERR_ReImplementingWinRTInterface4() As String Get Return ResourceManager.GetString("ERR_ReImplementingWinRTInterface4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}.{1}&apos; from &apos;implements {2}&apos; is already implemented by the base class &apos;{3}&apos;. Re-implementation of Windows Runtime Interface &apos;{4}&apos; is not allowed. '''</summary> Friend ReadOnly Property ERR_ReImplementingWinRTInterface5() As String Get Return ResourceManager.GetString("ERR_ReImplementingWinRTInterface5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to In a Windows Runtime event, the type of the &apos;RemoveHandler&apos; method parameter must be &apos;EventRegistrationToken&apos;. '''</summary> Friend ReadOnly Property ERR_RemoveParamWrongForWinRT() As String Get Return ResourceManager.GetString("ERR_RemoveParamWrongForWinRT", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion from &apos;{0}&apos; to &apos;{1}&apos; cannot occur in a constant expression used as an argument to an attribute.. '''</summary> Friend ReadOnly Property ERR_RequiredAttributeConstConversion2() As String Get Return ResourceManager.GetString("ERR_RequiredAttributeConstConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion from &apos;{0}&apos; to &apos;{1}&apos; cannot occur in a constant expression.. '''</summary> Friend ReadOnly Property ERR_RequiredConstConversion2() As String Get Return ResourceManager.GetString("ERR_RequiredConstConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constant expression is required.. '''</summary> Friend ReadOnly Property ERR_RequiredConstExpr() As String Get Return ResourceManager.GetString("ERR_RequiredConstExpr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; must be a call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because base class &apos;{0}&apos; of &apos;{1}&apos; does not have an accessible &apos;Sub New&apos; that can be called with no arguments.. '''</summary> Friend ReadOnly Property ERR_RequiredNewCall2() As String Get Return ResourceManager.GetString("ERR_RequiredNewCall2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; must be a call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because base class &apos;{0}&apos; of &apos;{1}&apos; has more than one accessible &apos;Sub New&apos; that can be called with no arguments.. '''</summary> Friend ReadOnly Property ERR_RequiredNewCallTooMany2() As String Get Return ResourceManager.GetString("ERR_RequiredNewCallTooMany2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; must be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the &apos;{0}&apos; in the base class &apos;{1}&apos; of &apos;{2}&apos; is marked obsolete.. '''</summary> Friend ReadOnly Property ERR_RequiredNonObsoleteNewCall3() As String Get Return ResourceManager.GetString("ERR_RequiredNonObsoleteNewCall3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; must be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the &apos;{0}&apos; in the base class &apos;{1}&apos; of &apos;{2}&apos; is marked obsolete: &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_RequiredNonObsoleteNewCall4() As String Get Return ResourceManager.GetString("ERR_RequiredNonObsoleteNewCall4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The assembly name &apos;{0}&apos; is reserved and cannot be used as a reference in an interactive session. '''</summary> Friend ReadOnly Property ERR_ReservedAssemblyName() As String Get Return ResourceManager.GetString("ERR_ReservedAssemblyName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Prefix &apos;{0}&apos; cannot be bound to namespace name reserved for &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_ReservedXmlNamespace() As String Get Return ResourceManager.GetString("ERR_ReservedXmlNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML namespace prefix &apos;{0}&apos; is reserved for use by XML and the namespace URI cannot be changed.. '''</summary> Friend ReadOnly Property ERR_ReservedXmlPrefix() As String Get Return ResourceManager.GetString("ERR_ReservedXmlPrefix", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot link resource files when building a module. '''</summary> Friend ReadOnly Property ERR_ResourceInModule() As String Get Return ResourceManager.GetString("ERR_ResourceInModule", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression has the type &apos;{0}&apos; which is a restricted type and cannot be used to access members inherited from &apos;Object&apos; or &apos;ValueType&apos;.. '''</summary> Friend ReadOnly Property ERR_RestrictedAccess() As String Get Return ResourceManager.GetString("ERR_RestrictedAccess", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression of type &apos;{0}&apos; cannot be converted to &apos;Object&apos; or &apos;ValueType&apos;.. '''</summary> Friend ReadOnly Property ERR_RestrictedConversion1() As String Get Return ResourceManager.GetString("ERR_RestrictedConversion1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be used as a parameter type for an Iterator or Async method.. '''</summary> Friend ReadOnly Property ERR_RestrictedResumableType1() As String Get Return ResourceManager.GetString("ERR_RestrictedResumableType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be made nullable, and cannot be used as the data type of an array element, field, anonymous type member, type argument, &apos;ByRef&apos; parameter, or return statement.. '''</summary> Friend ReadOnly Property ERR_RestrictedType1() As String Get Return ResourceManager.GetString("ERR_RestrictedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambdas with the &apos;Async&apos; or &apos;Iterator&apos; modifiers cannot be converted to expression trees.. '''</summary> Friend ReadOnly Property ERR_ResumableLambdaInExpressionTree() As String Get Return ResourceManager.GetString("ERR_ResumableLambdaInExpressionTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;On Error&apos; and &apos;Resume&apos; cannot appear inside async or iterator methods.. '''</summary> Friend ReadOnly Property ERR_ResumablesCannotContainOnError() As String Get Return ResourceManager.GetString("ERR_ResumablesCannotContainOnError", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Return&apos; statement in a Sub or a Set cannot return a value.. '''</summary> Friend ReadOnly Property ERR_ReturnFromNonFunction() As String Get Return ResourceManager.GetString("ERR_ReturnFromNonFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Return&apos; statements in this Async method cannot return a value since the return type of the function is &apos;Task&apos;. Consider changing the function&apos;s return type to &apos;Task(Of T)&apos;.. '''</summary> Friend ReadOnly Property ERR_ReturnFromNonGenericTaskAsync() As String Get Return ResourceManager.GetString("ERR_ReturnFromNonGenericTaskAsync", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Return&apos; statement in a Function, Get, or Operator must return a value.. '''</summary> Friend ReadOnly Property ERR_ReturnWithoutValue() As String Get Return ResourceManager.GetString("ERR_ReturnWithoutValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; cannot be found in class &apos;{1}&apos;. This condition is usually the result of a mismatched &apos;Microsoft.VisualBasic.dll&apos;.. '''</summary> Friend ReadOnly Property ERR_RuntimeMemberNotFound2() As String Get Return ResourceManager.GetString("ERR_RuntimeMemberNotFound2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Security attribute &apos;{0}&apos; has an invalid SecurityAction value &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_SecurityAttributeInvalidAction() As String Get Return ResourceManager.GetString("ERR_SecurityAttributeInvalidAction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SecurityAction value &apos;{0}&apos; is invalid for security attributes applied to an assembly.. '''</summary> Friend ReadOnly Property ERR_SecurityAttributeInvalidActionAssembly() As String Get Return ResourceManager.GetString("ERR_SecurityAttributeInvalidActionAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SecurityAction value &apos;{0}&apos; is invalid for security attributes applied to a type or a method.. '''</summary> Friend ReadOnly Property ERR_SecurityAttributeInvalidActionTypeOrMethod() As String Get Return ResourceManager.GetString("ERR_SecurityAttributeInvalidActionTypeOrMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Security attribute &apos;{0}&apos; is not valid on this declaration type. Security attributes are only valid on assembly, type and method declarations.. '''</summary> Friend ReadOnly Property ERR_SecurityAttributeInvalidTarget() As String Get Return ResourceManager.GetString("ERR_SecurityAttributeInvalidTarget", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First argument to a security attribute must be a valid SecurityAction.. '''</summary> Friend ReadOnly Property ERR_SecurityAttributeMissingAction() As String Get Return ResourceManager.GetString("ERR_SecurityAttributeMissingAction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Security attribute &apos;{0}&apos; cannot be applied to an Async or Iterator method.. '''</summary> Friend ReadOnly Property ERR_SecurityCriticalAsync() As String Get Return ResourceManager.GetString("ERR_SecurityCriticalAsync", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Async and Iterator methods are not allowed in a [Class|Structure|Interface|Module] that has the &apos;SecurityCritical&apos; or &apos;SecuritySafeCritical&apos; attribute.. '''</summary> Friend ReadOnly Property ERR_SecurityCriticalAsyncInClassOrStruct() As String Get Return ResourceManager.GetString("ERR_SecurityCriticalAsyncInClassOrStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; method cannot have more than one parameter.. '''</summary> Friend ReadOnly Property ERR_SetHasOnlyOneParam() As String Get Return ResourceManager.GetString("ERR_SetHasOnlyOneParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; parameter cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_SetHasToBeByVal1() As String Get Return ResourceManager.GetString("ERR_SetHasToBeByVal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Set&apos; parameter must have the same type as the containing property.. '''</summary> Friend ReadOnly Property ERR_SetValueNotPropertyType() As String Get Return ResourceManager.GetString("ERR_SetValueNotPropertyType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has the same name as a type parameter.. '''</summary> Friend ReadOnly Property ERR_ShadowingGenericParamWithMember1() As String Get Return ResourceManager.GetString("ERR_ShadowingGenericParamWithMember1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be declared &apos;Shadows&apos; outside of a class, structure, or interface.. '''</summary> Friend ReadOnly Property ERR_ShadowingTypeOutsideClass1() As String Get Return ResourceManager.GetString("ERR_ShadowingTypeOutsideClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Shared &apos;Sub New&apos; cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_SharedConstructorIllegalSpec1() As String Get Return ResourceManager.GetString("ERR_SharedConstructorIllegalSpec1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Shared &apos;Sub New&apos; cannot have any parameters.. '''</summary> Friend ReadOnly Property ERR_SharedConstructorWithParams() As String Get Return ResourceManager.GetString("ERR_SharedConstructorWithParams", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Events of shared WithEvents variables cannot be handled by non-shared methods.. '''</summary> Friend ReadOnly Property ERR_SharedEventNeedsSharedHandler() As String Get Return ResourceManager.GetString("ERR_SharedEventNeedsSharedHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member &apos;{0}&apos; cannot be initialized in an object initializer expression because it is shared.. '''</summary> Friend ReadOnly Property ERR_SharedMemberAggrMemberInit1() As String Get Return ResourceManager.GetString("ERR_SharedMemberAggrMemberInit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Methods or events that implement interface members cannot be declared &apos;Shared&apos;.. '''</summary> Friend ReadOnly Property ERR_SharedOnProcThatImpl() As String Get Return ResourceManager.GetString("ERR_SharedOnProcThatImpl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non-shared members in a Structure cannot be declared &apos;New&apos;.. '''</summary> Friend ReadOnly Property ERR_SharedStructMemberCannotSpecifyNew() As String Get Return ResourceManager.GetString("ERR_SharedStructMemberCannotSpecifyNew", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Key file &apos;{0}&apos; is missing the private key needed for signing.. '''</summary> Friend ReadOnly Property ERR_SignButNoPrivateKey() As String Get Return ResourceManager.GetString("ERR_SignButNoPrivateKey", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface &apos;{0}&apos; has an invalid source interface which is required to embed event &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_SourceInterfaceMustBeInterface() As String Get Return ResourceManager.GetString("ERR_SourceInterfaceMustBeInterface", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Specifiers and attributes are not valid on this statement.. '''</summary> Friend ReadOnly Property ERR_SpecifiersInvalidOnInheritsImplOpt() As String Get Return ResourceManager.GetString("ERR_SpecifiersInvalidOnInheritsImplOpt", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Specifiers are not valid on &apos;AddHandler&apos;, &apos;RemoveHandler&apos; and &apos;RaiseEvent&apos; methods.. '''</summary> Friend ReadOnly Property ERR_SpecifiersInvOnEventMethod() As String Get Return ResourceManager.GetString("ERR_SpecifiersInvOnEventMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute specifier is not a complete statement. Use a line continuation to apply the attribute to the following statement.. '''</summary> Friend ReadOnly Property ERR_StandaloneAttribute() As String Get Return ResourceManager.GetString("ERR_StandaloneAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected quoted XML attribute value or embedded expression.. '''</summary> Friend ReadOnly Property ERR_StartAttributeValue() As String Get Return ResourceManager.GetString("ERR_StartAttributeValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub Main&apos; was not found in &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_StartupCodeNotFound1() As String Get Return ResourceManager.GetString("ERR_StartupCodeNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement lambdas cannot be converted to expression trees.. '''</summary> Friend ReadOnly Property ERR_StatementLambdaInExpressionTree() As String Get Return ResourceManager.GetString("ERR_StatementLambdaInExpressionTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;System.STAThreadAttribute&apos; and &apos;System.MTAThreadAttribute&apos; cannot both be applied to the same method.. '''</summary> Friend ReadOnly Property ERR_STAThreadAndMTAThread0() As String Get Return ResourceManager.GetString("ERR_STAThreadAndMTAThread0", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Static local variables cannot be declared inside lambda expressions.. '''</summary> Friend ReadOnly Property ERR_StaticInLambda() As String Get Return ResourceManager.GetString("ERR_StaticInLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On disallows narrowing from type &apos;{1}&apos; to type &apos;{2}&apos; in copying the value of &apos;ByRef&apos; parameter &apos;{0}&apos; back to the matching argument.. '''</summary> Friend ReadOnly Property ERR_StrictArgumentCopyBackNarrowing3() As String Get Return ResourceManager.GetString("ERR_StrictArgumentCopyBackNarrowing3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On requires all variable declarations to have an &apos;As&apos; clause.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowImplicitObject() As String Get Return ResourceManager.GetString("ERR_StrictDisallowImplicitObject", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On requires each lambda expression parameter to be declared with an &apos;As&apos; clause if its type cannot be inferred.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowImplicitObjectLambda() As String Get Return ResourceManager.GetString("ERR_StrictDisallowImplicitObjectLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On requires that all method parameters have an &apos;As&apos; clause.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowsImplicitArgs() As String Get Return ResourceManager.GetString("ERR_StrictDisallowsImplicitArgs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On requires all Function, Property, and Operator declarations to have an &apos;As&apos; clause.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowsImplicitProc() As String Get Return ResourceManager.GetString("ERR_StrictDisallowsImplicitProc", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On disallows late binding.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowsLateBinding() As String Get Return ResourceManager.GetString("ERR_StrictDisallowsLateBinding", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On disallows operands of type Object for operator &apos;{0}&apos;. Use the &apos;Is&apos; operator to test for object identity.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowsObjectComparison1() As String Get Return ResourceManager.GetString("ERR_StrictDisallowsObjectComparison1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option Strict On prohibits operands of type Object for operator &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_StrictDisallowsObjectOperand1() As String Get Return ResourceManager.GetString("ERR_StrictDisallowsObjectOperand1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Structures cannot have &apos;Inherits&apos; statements.. '''</summary> Friend ReadOnly Property ERR_StructCantInherit() As String Get Return ResourceManager.GetString("ERR_StructCantInherit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Declare&apos; statements in a structure cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_StructCantUseDLLDeclareSpecifier1() As String Get Return ResourceManager.GetString("ERR_StructCantUseDLLDeclareSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Members in a Structure cannot be declared &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_StructCantUseVarSpecifier1() As String Get Return ResourceManager.GetString("ERR_StructCantUseVarSpecifier1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;StructLayout&apos; cannot be applied to a generic type.. '''</summary> Friend ReadOnly Property ERR_StructLayoutAttributeNotAllowed() As String Get Return ResourceManager.GetString("ERR_StructLayoutAttributeNotAllowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Methods declared in structures cannot have &apos;Handles&apos; clauses.. '''</summary> Friend ReadOnly Property ERR_StructsCannotHandleEvents() As String Get Return ResourceManager.GetString("ERR_StructsCannotHandleEvents", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method in a structure cannot be declared &apos;Protected&apos; or &apos;Protected Friend&apos;.. '''</summary> Friend ReadOnly Property ERR_StructureCantUseProtected() As String Get Return ResourceManager.GetString("ERR_StructureCantUseProtected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Structure &apos;{0}&apos; cannot be indexed because it has no default property.. '''</summary> Friend ReadOnly Property ERR_StructureNoDefault1() As String Get Return ResourceManager.GetString("ERR_StructureNoDefault1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a structure type and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_StructureNotExpression1() As String Get Return ResourceManager.GetString("ERR_StructureNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement is not valid inside a single-line statement lambda.. '''</summary> Friend ReadOnly Property ERR_SubDisallowsStatement() As String Get Return ResourceManager.GetString("ERR_SubDisallowsStatement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constructor &apos;{0}&apos; cannot call itself: {1}. '''</summary> Friend ReadOnly Property ERR_SubNewCycle1() As String Get Return ResourceManager.GetString("ERR_SubNewCycle1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' &apos;{0}&apos; calls &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_SubNewCycle2() As String Get Return ResourceManager.GetString("ERR_SubNewCycle2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;)!key. '''</summary> Friend ReadOnly Property ERR_SubRequiresParenthesesBang() As String Get Return ResourceManager.GetString("ERR_SubRequiresParenthesesBang", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;).Invoke(). '''</summary> Friend ReadOnly Property ERR_SubRequiresParenthesesDot() As String Get Return ResourceManager.GetString("ERR_SubRequiresParenthesesDot", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This single-line statement lambda must be enclosed in parentheses. For example: Call (Sub() &lt;statement&gt;) (). '''</summary> Friend ReadOnly Property ERR_SubRequiresParenthesesLParen() As String Get Return ResourceManager.GetString("ERR_SubRequiresParenthesesLParen", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Single-line statement lambdas must include exactly one statement.. '''</summary> Friend ReadOnly Property ERR_SubRequiresSingleStatement() As String Get Return ResourceManager.GetString("ERR_SubRequiresSingleStatement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to option &apos;{0}&apos; can be followed only by &apos;+&apos; or &apos;-&apos;. '''</summary> Friend ReadOnly Property ERR_SwitchNeedsBool() As String Get Return ResourceManager.GetString("ERR_SwitchNeedsBool", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The project currently contains references to more than one version of &apos;{0}&apos;, a direct reference to version {2} and an indirect reference to version {1}. Change the direct reference to use version {1} (or higher) of {0}.. '''</summary> Friend ReadOnly Property ERR_SxSIndirectRefHigherThanDirectRef3() As String Get Return ResourceManager.GetString("ERR_SxSIndirectRefHigherThanDirectRef3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;MethodImplOptions.Synchronized&apos; cannot be applied to an Async method.. '''</summary> Friend ReadOnly Property ERR_SynchronizedAsyncMethod() As String Get Return ResourceManager.GetString("ERR_SynchronizedAsyncMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;SyncLock&apos; operand cannot be of type &apos;{0}&apos; because &apos;{0}&apos; is not a reference type.. '''</summary> Friend ReadOnly Property ERR_SyncLockRequiresReferenceType1() As String Get Return ResourceManager.GetString("ERR_SyncLockRequiresReferenceType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax error.. '''</summary> Friend ReadOnly Property ERR_Syntax() As String Get Return ResourceManager.GetString("ERR_Syntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax error in cast operator; two arguments separated by comma are required.. '''</summary> Friend ReadOnly Property ERR_SyntaxInCastOp() As String Get Return ResourceManager.GetString("ERR_SyntaxInCastOp", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; implicitly defines &apos;{2}&apos;, which conflicts with a member of the same name in {3} &apos;{4}&apos;.. '''</summary> Friend ReadOnly Property ERR_SynthMemberClashesWithMember5() As String Get Return ResourceManager.GetString("ERR_SynthMemberClashesWithMember5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; implicitly defines &apos;{2}&apos;, which conflicts with a member implicitly declared for {3} &apos;{4}&apos; in {5} &apos;{6}&apos;.. '''</summary> Friend ReadOnly Property ERR_SynthMemberClashesWithSynth7() As String Get Return ResourceManager.GetString("ERR_SynthMemberClashesWithSynth7", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos;, implicitly declared for {1} &apos;{2}&apos;, cannot shadow a &apos;MustOverride&apos; method in the base {3} &apos;{4}&apos;.. '''</summary> Friend ReadOnly Property ERR_SynthMemberShadowsMustOverride5() As String Get Return ResourceManager.GetString("ERR_SynthMemberShadowsMustOverride5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; implicitly defines a member &apos;{2}&apos; which has the same name as a type parameter.. '''</summary> Friend ReadOnly Property ERR_SyntMemberShadowsGenericParam3() As String Get Return ResourceManager.GetString("ERR_SyntMemberShadowsGenericParam3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too few type arguments to &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooFewGenericArguments1() As String Get Return ResourceManager.GetString("ERR_TooFewGenericArguments1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too few type arguments to extension method &apos;{0}&apos; defined in &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooFewGenericArguments2() As String Get Return ResourceManager.GetString("ERR_TooFewGenericArguments2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Number of indices is less than the number of dimensions of the indexed array.. '''</summary> Friend ReadOnly Property ERR_TooFewIndices() As String Get Return ResourceManager.GetString("ERR_TooFewIndices", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name &apos;{0}&apos; exceeds the maximum length allowed in metadata.. '''</summary> Friend ReadOnly Property ERR_TooLongMetadataName() As String Get Return ResourceManager.GetString("ERR_TooLongMetadataName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An expression is too long or complex to compile. '''</summary> Friend ReadOnly Property ERR_TooLongOrComplexExpression() As String Get Return ResourceManager.GetString("ERR_TooLongOrComplexExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too many arguments.. '''</summary> Friend ReadOnly Property ERR_TooManyArgs() As String Get Return ResourceManager.GetString("ERR_TooManyArgs", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too many arguments to &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooManyArgs1() As String Get Return ResourceManager.GetString("ERR_TooManyArgs1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too many arguments to extension method &apos;{0}&apos; defined in &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooManyArgs2() As String Get Return ResourceManager.GetString("ERR_TooManyArgs2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too many type arguments to &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooManyGenericArguments1() As String Get Return ResourceManager.GetString("ERR_TooManyGenericArguments1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Too many type arguments to extension method &apos;{0}&apos; defined in &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TooManyGenericArguments2() As String Get Return ResourceManager.GetString("ERR_TooManyGenericArguments2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Number of indices exceeds the number of dimensions of the indexed array.. '''</summary> Friend ReadOnly Property ERR_TooManyIndices() As String Get Return ResourceManager.GetString("ERR_TooManyIndices", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Combined length of user strings used by the program exceeds allowed limit. Try to decrease use of string or XML literals.. '''</summary> Friend ReadOnly Property ERR_TooManyUserStrings() As String Get Return ResourceManager.GetString("ERR_TooManyUserStrings", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method cannot contain both a &apos;Try&apos; statement and an &apos;On Error&apos; or &apos;Resume&apos; statement.. '''</summary> Friend ReadOnly Property ERR_TryAndOnErrorDoNotMix() As String Get Return ResourceManager.GetString("ERR_TryAndOnErrorDoNotMix", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;TryCast&apos; operands must be class-constrained type parameter, but &apos;{0}&apos; has no class constraint.. '''</summary> Friend ReadOnly Property ERR_TryCastOfUnconstrainedTypeParam1() As String Get Return ResourceManager.GetString("ERR_TryCastOfUnconstrainedTypeParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;TryCast&apos; operand must be reference type, but &apos;{0}&apos; is a value type.. '''</summary> Friend ReadOnly Property ERR_TryCastOfValueType1() As String Get Return ResourceManager.GetString("ERR_TryCastOfValueType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Try must have at least one &apos;Catch&apos; or a &apos;Finally&apos;.. '''</summary> Friend ReadOnly Property ERR_TryWithoutCatchOrFinally() As String Get Return ResourceManager.GetString("ERR_TryWithoutCatchOrFinally", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; must have two parameters.. '''</summary> Friend ReadOnly Property ERR_TwoParametersRequired1() As String Get Return ResourceManager.GetString("ERR_TwoParametersRequired1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type arguments unexpected.. '''</summary> Friend ReadOnly Property ERR_TypeArgsUnexpected() As String Get Return ResourceManager.GetString("ERR_TypeArgsUnexpected", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type character &apos;{0}&apos; does not match declared data type &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypecharNoMatch2() As String Get Return ResourceManager.GetString("ERR_TypecharNoMatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type declaration characters are not valid in this context.. '''</summary> Friend ReadOnly Property ERR_TypecharNotallowed() As String Get Return ResourceManager.GetString("ERR_TypecharNotallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Aggregate function name cannot be used with a type character.. '''</summary> Friend ReadOnly Property ERR_TypeCharOnAggregation() As String Get Return ResourceManager.GetString("ERR_TypeCharOnAggregation", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type character cannot be used in a type parameter declaration.. '''</summary> Friend ReadOnly Property ERR_TypeCharOnGenericParam() As String Get Return ResourceManager.GetString("ERR_TypeCharOnGenericParam", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type character cannot be used in a &apos;Sub&apos; declaration because a &apos;Sub&apos; doesn&apos;t return a value.. '''</summary> Friend ReadOnly Property ERR_TypeCharOnSub() As String Get Return ResourceManager.GetString("ERR_TypeCharOnSub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type character &apos;{0}&apos; cannot be used in a declaration with an explicit type.. '''</summary> Friend ReadOnly Property ERR_TypeCharWithType1() As String Get Return ResourceManager.GetString("ERR_TypeCharWithType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; conflicts with a Visual Basic Runtime {2} &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeClashesWithVbCoreType4() As String Get Return ResourceManager.GetString("ERR_TypeClashesWithVbCoreType4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; and {2} &apos;{3}&apos; conflict in {4} &apos;{5}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeConflict6() As String Get Return ResourceManager.GetString("ERR_TypeConflict6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML attributes cannot be selected from type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeDisallowsAttributes() As String Get Return ResourceManager.GetString("ERR_TypeDisallowsAttributes", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML descendant elements cannot be selected from type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeDisallowsDescendants() As String Get Return ResourceManager.GetString("ERR_TypeDisallowsDescendants", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML elements cannot be selected from type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeDisallowsElements() As String Get Return ResourceManager.GetString("ERR_TypeDisallowsElements", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; in assembly &apos;{1}&apos; has been forwarded to itself and so is an unsupported type.. '''</summary> Friend ReadOnly Property ERR_TypeFwdCycle2() As String Get Return ResourceManager.GetString("ERR_TypeFwdCycle2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a data type for &apos;{0}&apos; because the array dimensions do not match.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceArrayRankMismatch1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceArrayRankMismatch1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailure1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailure1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailure2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailure2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailure3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailure3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureAmbiguous1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureAmbiguous1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureAmbiguous2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureAmbiguous2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureAmbiguous3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureAmbiguous3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoBest1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoBest1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoBest2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoBest2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoBest3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoBest3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicit1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicit1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicit2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicit2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicit3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicit3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitAmbiguous1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitAmbiguous1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments because more than one type is possible.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitAmbiguous2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitAmbiguous2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments because more than one type is possible.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitAmbiguous3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitAmbiguous3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitNoBest1() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitNoBest1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in method &apos;{0}&apos; cannot be inferred from these arguments because they do not convert to the same type.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitNoBest2() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitNoBest2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type(s) of the type parameter(s) in extension method &apos;{0}&apos; defined in &apos;{1}&apos; cannot be inferred from these arguments because they do not convert to the same type.. '''</summary> Friend ReadOnly Property ERR_TypeInferenceFailureNoExplicitNoBest3() As String Get Return ResourceManager.GetString("ERR_TypeInferenceFailureNoExplicitNoBest3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; cannot reference itself in Inherits clause.. '''</summary> Friend ReadOnly Property ERR_TypeInItsInheritsClause1() As String Get Return ResourceManager.GetString("ERR_TypeInItsInheritsClause1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value of type &apos;{0}&apos; cannot be converted to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeMismatch2() As String Get Return ResourceManager.GetString("ERR_TypeMismatch2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Value of type &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. You can use the &apos;Value&apos; property to get the string value of the first element of &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeMismatchForXml3() As String Get Return ResourceManager.GetString("ERR_TypeMismatchForXml3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is a type and cannot be used as an expression.. '''</summary> Friend ReadOnly Property ERR_TypeNotExpression1() As String Get Return ResourceManager.GetString("ERR_TypeNotExpression1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression of type &apos;{0}&apos; can never be of type &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeOfExprAlwaysFalse2() As String Get Return ResourceManager.GetString("ERR_TypeOfExprAlwaysFalse2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;TypeOf ... Is&apos; requires its left operand to have a reference type, but this operand has the value type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_TypeOfRequiresReferenceType1() As String Get Return ResourceManager.GetString("ERR_TypeOfRequiresReferenceType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has no type parameters and so cannot have type arguments.. '''</summary> Friend ReadOnly Property ERR_TypeOrMemberNotGeneric1() As String Get Return ResourceManager.GetString("ERR_TypeOrMemberNotGeneric1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Extension method &apos;{0}&apos; defined in &apos;{1}&apos; is not generic (or has no free type parameters) and so cannot have type arguments.. '''</summary> Friend ReadOnly Property ERR_TypeOrMemberNotGeneric2() As String Get Return ResourceManager.GetString("ERR_TypeOrMemberNotGeneric2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;As&apos;, comma or &apos;)&apos; expected.. '''</summary> Friend ReadOnly Property ERR_TypeParamMissingAsCommaOrRParen() As String Get Return ResourceManager.GetString("ERR_TypeParamMissingAsCommaOrRParen", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Comma or &apos;)&apos; expected.. '''</summary> Friend ReadOnly Property ERR_TypeParamMissingCommaOrRParen() As String Get Return ResourceManager.GetString("ERR_TypeParamMissingCommaOrRParen", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter cannot have the same name as its defining function.. '''</summary> Friend ReadOnly Property ERR_TypeParamNameFunctionNameCollision() As String Get Return ResourceManager.GetString("ERR_TypeParamNameFunctionNameCollision", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameters cannot be used as qualifiers.. '''</summary> Friend ReadOnly Property ERR_TypeParamQualifierDisallowed() As String Get Return ResourceManager.GetString("ERR_TypeParamQualifierDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter with a &apos;Structure&apos; constraint cannot be used as a constraint.. '''</summary> Friend ReadOnly Property ERR_TypeParamWithStructConstAsConst() As String Get Return ResourceManager.GetString("ERR_TypeParamWithStructConstAsConst", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Import of type &apos;{0}&apos; from assembly or module &apos;{1}&apos; failed.. '''</summary> Friend ReadOnly Property ERR_TypeRefResolutionError3() As String Get Return ResourceManager.GetString("ERR_TypeRefResolutionError3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot create temporary file: {0}. '''</summary> Friend ReadOnly Property ERR_UnableToCreateTempFile() As String Get Return ResourceManager.GetString("ERR_UnableToCreateTempFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to open resource file &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property ERR_UnableToOpenResourceFile1() As String Get Return ResourceManager.GetString("ERR_UnableToOpenResourceFile1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to open Win32 manifest file &apos;{0}&apos; : {1}. '''</summary> Friend ReadOnly Property ERR_UnableToReadUacManifest2() As String Get Return ResourceManager.GetString("ERR_UnableToReadUacManifest2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Return and parameter types of &apos;{0}&apos; must be &apos;{1}&apos; to be used in a &apos;For&apos; statement.. '''</summary> Friend ReadOnly Property ERR_UnacceptableForLoopOperator2() As String Get Return ResourceManager.GetString("ERR_UnacceptableForLoopOperator2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter types of &apos;{0}&apos; must be &apos;{1}&apos; to be used in a &apos;For&apos; statement.. '''</summary> Friend ReadOnly Property ERR_UnacceptableForLoopRelOperator2() As String Get Return ResourceManager.GetString("ERR_UnacceptableForLoopRelOperator2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Return and parameter types of &apos;{0}&apos; must be &apos;{1}&apos; to be used in a &apos;{2}&apos; expression.. '''</summary> Friend ReadOnly Property ERR_UnacceptableLogicalOperator3() As String Get Return ResourceManager.GetString("ERR_UnacceptableLogicalOperator3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; is not defined for type &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_UnaryOperand2() As String Get Return ResourceManager.GetString("ERR_UnaryOperand2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Parameter of this unary operator must be of the containing type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property ERR_UnaryParamMustBeContainingType1() As String Get Return ResourceManager.GetString("ERR_UnaryParamMustBeContainingType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; cannot be inferred.. '''</summary> Friend ReadOnly Property ERR_UnboundTypeParam1() As String Get Return ResourceManager.GetString("ERR_UnboundTypeParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; for &apos;{1}&apos; cannot be inferred.. '''</summary> Friend ReadOnly Property ERR_UnboundTypeParam2() As String Get Return ResourceManager.GetString("ERR_UnboundTypeParam2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; for extension method &apos;{1}&apos; defined in &apos;{2}&apos; cannot be inferred.. '''</summary> Friend ReadOnly Property ERR_UnboundTypeParam3() As String Get Return ResourceManager.GetString("ERR_UnboundTypeParam3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; is not defined.. '''</summary> Friend ReadOnly Property ERR_UndefinedType1() As String Get Return ResourceManager.GetString("ERR_UndefinedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type or namespace &apos;{0}&apos; is not defined.. '''</summary> Friend ReadOnly Property ERR_UndefinedTypeOrNamespace1() As String Get Return ResourceManager.GetString("ERR_UndefinedTypeOrNamespace1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML namespace prefix &apos;{0}&apos; is not defined.. '''</summary> Friend ReadOnly Property ERR_UndefinedXmlPrefix() As String Get Return ResourceManager.GetString("ERR_UndefinedXmlPrefix", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression statement is only allowed at the end of an interactive submission.. '''</summary> Friend ReadOnly Property ERR_UnexpectedExpressionStatement() As String Get Return ResourceManager.GetString("ERR_UnexpectedExpressionStatement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Group&apos; not allowed in this context; identifier expected.. '''</summary> Friend ReadOnly Property ERR_UnexpectedGroup() As String Get Return ResourceManager.GetString("ERR_UnexpectedGroup", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; must implement &apos;{2}&apos; for interface &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_UnimplementedMember3() As String Get Return ResourceManager.GetString("ERR_UnimplementedMember3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ''' {0}: {1}. '''</summary> Friend ReadOnly Property ERR_UnimplementedMustOverride() As String Get Return ResourceManager.GetString("ERR_UnimplementedMustOverride", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.. '''</summary> Friend ReadOnly Property ERR_UnknownOperator() As String Get Return ResourceManager.GetString("ERR_UnknownOperator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;End&apos; statement not valid.. '''</summary> Friend ReadOnly Property ERR_UnrecognizedEnd() As String Get Return ResourceManager.GetString("ERR_UnrecognizedEnd", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type expected.. '''</summary> Friend ReadOnly Property ERR_UnrecognizedType() As String Get Return ResourceManager.GetString("ERR_UnrecognizedType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Keyword does not name a type.. '''</summary> Friend ReadOnly Property ERR_UnrecognizedTypeKeyword() As String Get Return ResourceManager.GetString("ERR_UnrecognizedTypeKeyword", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type or &apos;With&apos; expected.. '''</summary> Friend ReadOnly Property ERR_UnrecognizedTypeOrWith() As String Get Return ResourceManager.GetString("ERR_UnrecognizedTypeOrWith", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to assembly &apos;{0}&apos; containing the type &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedAssembly3() As String Get Return ResourceManager.GetString("ERR_UnreferencedAssembly3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to assembly &apos;{0}&apos; containing the base class &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedAssemblyBase3() As String Get Return ResourceManager.GetString("ERR_UnreferencedAssemblyBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to assembly &apos;{0}&apos; containing the definition for event &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedAssemblyEvent3() As String Get Return ResourceManager.GetString("ERR_UnreferencedAssemblyEvent3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to assembly &apos;{0}&apos; containing the implemented interface &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedAssemblyImplements3() As String Get Return ResourceManager.GetString("ERR_UnreferencedAssemblyImplements3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to module &apos;{0}&apos; containing the type &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedModule3() As String Get Return ResourceManager.GetString("ERR_UnreferencedModule3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to module &apos;{0}&apos; containing the base class &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedModuleBase3() As String Get Return ResourceManager.GetString("ERR_UnreferencedModuleBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to module &apos;{0}&apos; containing the definition for event &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedModuleEvent3() As String Get Return ResourceManager.GetString("ERR_UnreferencedModuleEvent3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Reference required to module &apos;{0}&apos; containing the implemented interface &apos;{1}&apos;. Add one to your project.. '''</summary> Friend ReadOnly Property ERR_UnreferencedModuleImplements3() As String Get Return ResourceManager.GetString("ERR_UnreferencedModuleImplements3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Field &apos;{0}.{1}&apos; has an invalid constant value.. '''</summary> Friend ReadOnly Property ERR_UnsupportedConstant2() As String Get Return ResourceManager.GetString("ERR_UnsupportedConstant2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an unsupported event.. '''</summary> Friend ReadOnly Property ERR_UnsupportedEvent1() As String Get Return ResourceManager.GetString("ERR_UnsupportedEvent1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Field &apos;{0}&apos; is of an unsupported type.. '''</summary> Friend ReadOnly Property ERR_UnsupportedField1() As String Get Return ResourceManager.GetString("ERR_UnsupportedField1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; has a return type that is not supported or parameter types that are not supported.. '''</summary> Friend ReadOnly Property ERR_UnsupportedMethod1() As String Get Return ResourceManager.GetString("ERR_UnsupportedMethod1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an unsupported .NET module.. '''</summary> Friend ReadOnly Property ERR_UnsupportedModule1() As String Get Return ResourceManager.GetString("ERR_UnsupportedModule1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; is of an unsupported type.. '''</summary> Friend ReadOnly Property ERR_UnsupportedProperty1() As String Get Return ResourceManager.GetString("ERR_UnsupportedProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an unsupported type.. '''</summary> Friend ReadOnly Property ERR_UnsupportedType1() As String Get Return ResourceManager.GetString("ERR_UnsupportedType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to String constants must end with a double quote.. '''</summary> Friend ReadOnly Property ERR_UnterminatedStringLiteral() As String Get Return ResourceManager.GetString("ERR_UnterminatedStringLiteral", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid within a Module.. '''</summary> Friend ReadOnly Property ERR_UseOfKeywordFromModule1() As String Get Return ResourceManager.GetString("ERR_UseOfKeywordFromModule1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not valid within a structure.. '''</summary> Friend ReadOnly Property ERR_UseOfKeywordFromStructure1() As String Get Return ResourceManager.GetString("ERR_UseOfKeywordFromStructure1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is valid only within an instance method.. '''</summary> Friend ReadOnly Property ERR_UseOfKeywordNotInInstanceMethod1() As String Get Return ResourceManager.GetString("ERR_UseOfKeywordNotInInstanceMethod1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable &apos;{0}&apos; cannot be referred to before it is declared.. '''</summary> Friend ReadOnly Property ERR_UseOfLocalBeforeDeclaration1() As String Get Return ResourceManager.GetString("ERR_UseOfLocalBeforeDeclaration1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; accessor of &apos;{1}&apos; is obsolete.. '''</summary> Friend ReadOnly Property ERR_UseOfObsoletePropertyAccessor2() As String Get Return ResourceManager.GetString("ERR_UseOfObsoletePropertyAccessor2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; accessor of &apos;{1}&apos; is obsolete: &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property ERR_UseOfObsoletePropertyAccessor3() As String Get Return ResourceManager.GetString("ERR_UseOfObsoletePropertyAccessor3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is obsolete: &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_UseOfObsoleteSymbol2() As String Get Return ResourceManager.GetString("ERR_UseOfObsoleteSymbol2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is obsolete.. '''</summary> Friend ReadOnly Property ERR_UseOfObsoleteSymbolNoMessage1() As String Get Return ResourceManager.GetString("ERR_UseOfObsoleteSymbolNoMessage1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Using&apos; operand of type &apos;{0}&apos; must implement &apos;System.IDisposable&apos;.. '''</summary> Friend ReadOnly Property ERR_UsingRequiresDisposePattern() As String Get Return ResourceManager.GetString("ERR_UsingRequiresDisposePattern", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Using&apos; resource variable type can not be array type.. '''</summary> Friend ReadOnly Property ERR_UsingResourceVarCantBeArray() As String Get Return ResourceManager.GetString("ERR_UsingResourceVarCantBeArray", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Using&apos; resource variable must have an explicit initialization.. '''</summary> Friend ReadOnly Property ERR_UsingResourceVarNeedsInitializer() As String Get Return ResourceManager.GetString("ERR_UsingResourceVarNeedsInitializer", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Structure&apos; constraint and a specific class type constraint cannot be combined.. '''</summary> Friend ReadOnly Property ERR_ValueAndClassTypeConstrCombined() As String Get Return ResourceManager.GetString("ERR_ValueAndClassTypeConstrCombined", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{4}&apos; cannot be converted to &apos;{5}&apos; because &apos;{0}&apos; is not derived from &apos;{1}&apos;, as required for the &apos;In&apos; generic parameter &apos;{2}&apos; in &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceConversionFailedIn6() As String Get Return ResourceManager.GetString("ERR_VarianceConversionFailedIn6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{4}&apos; cannot be converted to &apos;{5}&apos; because &apos;{0}&apos; is not derived from &apos;{1}&apos;, as required for the &apos;Out&apos; generic parameter &apos;{2}&apos; in &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceConversionFailedOut6() As String Get Return ResourceManager.GetString("ERR_VarianceConversionFailedOut6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider changing the &apos;{2}&apos; in the definition of &apos;{3}&apos; to an In type parameter, &apos;In {2}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceConversionFailedTryIn4() As String Get Return ResourceManager.GetString("ERR_VarianceConversionFailedTryIn4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider changing the &apos;{2}&apos; in the definition of &apos;{3}&apos; to an Out type parameter, &apos;Out {2}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceConversionFailedTryOut4() As String Get Return ResourceManager.GetString("ERR_VarianceConversionFailedTryOut4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Keywords &apos;Out&apos; and &apos;In&apos; can only be used in interface and delegate declarations.. '''</summary> Friend ReadOnly Property ERR_VarianceDisallowedHere() As String Get Return ResourceManager.GetString("ERR_VarianceDisallowedHere", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider using &apos;{2}&apos; instead.. '''</summary> Friend ReadOnly Property ERR_VarianceIEnumerableSuggestion3() As String Get Return ResourceManager.GetString("ERR_VarianceIEnumerableSuggestion3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in this context because &apos;In&apos; and &apos;Out&apos; type parameters cannot be used for ByRef parameter types, and &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInByRefDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceInByRefDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in &apos;{1}&apos; because &apos;In&apos; and &apos;Out&apos; type parameters cannot be made nullable, and &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInNullableDisallowed2() As String Get Return ResourceManager.GetString("ERR_VarianceInNullableDisallowed2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in this context because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInParamDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceInParamDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{1}&apos; in &apos;{2}&apos; in this context because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInParamDisallowedForGeneric3() As String Get Return ResourceManager.GetString("ERR_VarianceInParamDisallowedForGeneric3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in &apos;{1}&apos; in this context because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInParamDisallowedHere2() As String Get Return ResourceManager.GetString("ERR_VarianceInParamDisallowedHere2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{2}&apos; of &apos;{3}&apos; in &apos;{1}&apos; in this context because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInParamDisallowedHereForGeneric4() As String Get Return ResourceManager.GetString("ERR_VarianceInParamDisallowedHereForGeneric4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a property type in this context because &apos;{0}&apos; is an &apos;In&apos; type parameter and the property is not marked WriteOnly.. '''</summary> Friend ReadOnly Property ERR_VarianceInPropertyDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceInPropertyDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a ReadOnly property type because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInReadOnlyPropertyDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceInReadOnlyPropertyDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a return type because &apos;{0}&apos; is an &apos;In&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInReturnDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceInReturnDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Enumerations, classes, and structures cannot be declared in an interface that has an &apos;In&apos; or &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceInterfaceNesting() As String Get Return ResourceManager.GetString("ERR_VarianceInterfaceNesting", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in this context because &apos;In&apos; and &apos;Out&apos; type parameters cannot be used for ByRef parameter types, and &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutByRefDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutByRefDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a ByVal parameter type because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutByValDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutByValDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a generic type constraint because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutConstraintDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutConstraintDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in &apos;{1}&apos; because &apos;In&apos; and &apos;Out&apos; type parameters cannot be made nullable, and &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutNullableDisallowed2() As String Get Return ResourceManager.GetString("ERR_VarianceOutNullableDisallowed2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in this context because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutParamDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutParamDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{1}&apos; in &apos;{2}&apos; in this context because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutParamDisallowedForGeneric3() As String Get Return ResourceManager.GetString("ERR_VarianceOutParamDisallowedForGeneric3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in &apos;{1}&apos; in this context because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutParamDisallowedHere2() As String Get Return ResourceManager.GetString("ERR_VarianceOutParamDisallowedHere2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{2}&apos; of &apos;{3}&apos; in &apos;{1}&apos; in this context because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutParamDisallowedHereForGeneric4() As String Get Return ResourceManager.GetString("ERR_VarianceOutParamDisallowedHereForGeneric4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a property type in this context because &apos;{0}&apos; is an &apos;Out&apos; type parameter and the property is not marked ReadOnly.. '''</summary> Friend ReadOnly Property ERR_VarianceOutPropertyDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutPropertyDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used as a WriteOnly property type because &apos;{0}&apos; is an &apos;Out&apos; type parameter.. '''</summary> Friend ReadOnly Property ERR_VarianceOutWriteOnlyPropertyDisallowed1() As String Get Return ResourceManager.GetString("ERR_VarianceOutWriteOnlyPropertyDisallowed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event definitions with parameters are not allowed in an interface such as &apos;{0}&apos; that has &apos;In&apos; or &apos;Out&apos; type parameters. Consider declaring the event by using a delegate type which is not defined within &apos;{0}&apos;. For example, &apos;Event {1} As Action(Of ...)&apos;.. '''</summary> Friend ReadOnly Property ERR_VariancePreventsSynthesizedEvents2() As String Get Return ResourceManager.GetString("ERR_VariancePreventsSynthesizedEvents2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in this context because both the context and the definition of &apos;{0}&apos; are nested within interface &apos;{1}&apos;, and &apos;{1}&apos; has &apos;In&apos; or &apos;Out&apos; type parameters. Consider moving the definition of &apos;{0}&apos; outside of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceTypeDisallowed2() As String Get Return ResourceManager.GetString("ERR_VarianceTypeDisallowed2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{2}&apos; in &apos;{3}&apos; in this context because both the context and the definition of &apos;{0}&apos; are nested within interface &apos;{1}&apos;, and &apos;{1}&apos; has &apos;In&apos; or &apos;Out&apos; type parameters. Consider moving the definition of &apos;{0}&apos; outside of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceTypeDisallowedForGeneric4() As String Get Return ResourceManager.GetString("ERR_VarianceTypeDisallowedForGeneric4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used in &apos;{2}&apos; in this context because both the context and the definition of &apos;{0}&apos; are nested within interface &apos;{1}&apos;, and &apos;{1}&apos; has &apos;In&apos; or &apos;Out&apos; type parameters. Consider moving the definition of &apos;{0}&apos; outside of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceTypeDisallowedHere3() As String Get Return ResourceManager.GetString("ERR_VarianceTypeDisallowedHere3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; cannot be used for the &apos;{3}&apos; of &apos;{4}&apos; in &apos;{2}&apos; in this context because both the context and the definition of &apos;{0}&apos; are nested within interface &apos;{1}&apos;, and &apos;{1}&apos; has &apos;In&apos; or &apos;Out&apos; type parameters. Consider moving the definition of &apos;{0}&apos; outside of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property ERR_VarianceTypeDisallowedHereForGeneric5() As String Get Return ResourceManager.GetString("ERR_VarianceTypeDisallowedHereForGeneric5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The options /vbruntime* and /target:module cannot be combined.. '''</summary> Friend ReadOnly Property ERR_VBCoreNetModuleConflict() As String Get Return ResourceManager.GetString("ERR_VBCoreNetModuleConflict", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML attribute &apos;version&apos; must be the first attribute in XML declaration.. '''</summary> Friend ReadOnly Property ERR_VersionMustBeFirstInXmlDecl() As String Get Return ResourceManager.GetString("ERR_VersionMustBeFirstInXmlDecl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Arrays of type &apos;System.Void&apos; are not allowed in this expression.. '''</summary> Friend ReadOnly Property ERR_VoidArrayDisallowed() As String Get Return ResourceManager.GetString("ERR_VoidArrayDisallowed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression does not produce a value.. '''</summary> Friend ReadOnly Property ERR_VoidValue() As String Get Return ResourceManager.GetString("ERR_VoidValue", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Event declarations that target WinMD must specify a delegate type. Add an As clause to the event declaration.. '''</summary> Friend ReadOnly Property ERR_WinRTEventWithoutDelegate() As String Get Return ResourceManager.GetString("ERR_WinRTEventWithoutDelegate", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;WithEvents&apos; variables can only be typed as classes, interfaces or type parameters with class constraints.. '''</summary> Friend ReadOnly Property ERR_WithEventsAsStruct() As String Get Return ResourceManager.GetString("ERR_WithEventsAsStruct", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;WithEvents&apos; variables must have an &apos;As&apos; clause.. '''</summary> Friend ReadOnly Property ERR_WithEventsRequiresClass() As String Get Return ResourceManager.GetString("ERR_WithEventsRequiresClass", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties declared &apos;WriteOnly&apos; cannot have a &apos;Get&apos;.. '''</summary> Friend ReadOnly Property ERR_WriteOnlyHasGet() As String Get Return ResourceManager.GetString("ERR_WriteOnlyHasGet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;WriteOnly&apos; property must provide a &apos;Set&apos;.. '''</summary> Friend ReadOnly Property ERR_WriteOnlyHasNoWrite() As String Get Return ResourceManager.GetString("ERR_WriteOnlyHasNoWrite", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;WriteOnly&apos; properties cannot have an access modifier on &apos;Set&apos;.. '''</summary> Friend ReadOnly Property ERR_WriteOnlyNoAccessorFlag() As String Get Return ResourceManager.GetString("ERR_WriteOnlyNoAccessorFlag", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The literal string &apos;]]&gt;&apos; is not allowed in element content.. '''</summary> Friend ReadOnly Property ERR_XmlEndCDataNotAllowedInContent() As String Get Return ResourceManager.GetString("ERR_XmlEndCDataNotAllowedInContent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML end element must be preceded by a matching start element.. '''</summary> Friend ReadOnly Property ERR_XmlEndElementNoMatchingStart() As String Get Return ResourceManager.GetString("ERR_XmlEndElementNoMatchingStart", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML entity references are not supported.. '''</summary> Friend ReadOnly Property ERR_XmlEntityReference() As String Get Return ResourceManager.GetString("ERR_XmlEntityReference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML literals and XML axis properties are not available. Add references to System.Xml, System.Xml.Linq, and System.Core or other assemblies declaring System.Linq.Enumerable, System.Xml.Linq.XElement, System.Xml.Linq.XName, System.Xml.Linq.XAttribute and System.Xml.Linq.XNamespace types.. '''</summary> Friend ReadOnly Property ERR_XmlFeaturesNotAvailable() As String Get Return ResourceManager.GetString("ERR_XmlFeaturesNotAvailable", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is an XML prefix and cannot be used as an expression. Use the GetXmlNamespace operator to create a namespace object.. '''</summary> Friend ReadOnly Property ERR_XmlPrefixNotExpression() As String Get Return ResourceManager.GetString("ERR_XmlPrefixNotExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Division by zero occurred while evaluating this expression.. '''</summary> Friend ReadOnly Property ERR_ZeroDivide() As String Get Return ResourceManager.GetString("ERR_ZeroDivide", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to array literal expressions. '''</summary> Friend ReadOnly Property FEATURE_ArrayLiterals() As String Get Return ResourceManager.GetString("FEATURE_ArrayLiterals", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to async methods or lambdas. '''</summary> Friend ReadOnly Property FEATURE_AsyncExpressions() As String Get Return ResourceManager.GetString("FEATURE_AsyncExpressions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to auto-implemented properties. '''</summary> Friend ReadOnly Property FEATURE_AutoProperties() As String Get Return ResourceManager.GetString("FEATURE_AutoProperties", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to binary literals. '''</summary> Friend ReadOnly Property FEATURE_BinaryLiterals() As String Get Return ResourceManager.GetString("FEATURE_BinaryLiterals", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to CObj in attribute arguments. '''</summary> Friend ReadOnly Property FEATURE_CObjInAttributeArguments() As String Get Return ResourceManager.GetString("FEATURE_CObjInAttributeArguments", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to variance. '''</summary> Friend ReadOnly Property FEATURE_CoContraVariance() As String Get Return ResourceManager.GetString("FEATURE_CoContraVariance", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to collection initializers. '''</summary> Friend ReadOnly Property FEATURE_CollectionInitializers() As String Get Return ResourceManager.GetString("FEATURE_CollectionInitializers", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to digit separators. '''</summary> Friend ReadOnly Property FEATURE_DigitSeparators() As String Get Return ResourceManager.GetString("FEATURE_DigitSeparators", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to declaring a Global namespace. '''</summary> Friend ReadOnly Property FEATURE_GlobalNamespace() As String Get Return ResourceManager.GetString("FEATURE_GlobalNamespace", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to implementing read-only or write-only property with read-write property. '''</summary> Friend ReadOnly Property FEATURE_ImplementingReadonlyOrWriteonlyPropertyWithReadwrite() As String Get Return ResourceManager.GetString("FEATURE_ImplementingReadonlyOrWriteonlyPropertyWithReadwrite", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to iterators. '''</summary> Friend ReadOnly Property FEATURE_Iterators() As String Get Return ResourceManager.GetString("FEATURE_Iterators", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to implicit line continuation. '''</summary> Friend ReadOnly Property FEATURE_LineContinuation() As String Get Return ResourceManager.GetString("FEATURE_LineContinuation", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to line continuation comments. '''</summary> Friend ReadOnly Property FEATURE_LineContinuationComments() As String Get Return ResourceManager.GetString("FEATURE_LineContinuationComments", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to multiline string literals. '''</summary> Friend ReadOnly Property FEATURE_MultilineStringLiterals() As String Get Return ResourceManager.GetString("FEATURE_MultilineStringLiterals", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;nameof&apos; expressions. '''</summary> Friend ReadOnly Property FEATURE_NameOfExpressions() As String Get Return ResourceManager.GetString("FEATURE_NameOfExpressions", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to null conditional operations. '''</summary> Friend ReadOnly Property FEATURE_NullPropagatingOperator() As String Get Return ResourceManager.GetString("FEATURE_NullPropagatingOperator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to partial interfaces. '''</summary> Friend ReadOnly Property FEATURE_PartialInterfaces() As String Get Return ResourceManager.GetString("FEATURE_PartialInterfaces", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to partial modules. '''</summary> Friend ReadOnly Property FEATURE_PartialModules() As String Get Return ResourceManager.GetString("FEATURE_PartialModules", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to readonly auto-implemented properties. '''</summary> Friend ReadOnly Property FEATURE_ReadonlyAutoProperties() As String Get Return ResourceManager.GetString("FEATURE_ReadonlyAutoProperties", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to region directives within method bodies or regions crossing boundaries of declaration blocks. '''</summary> Friend ReadOnly Property FEATURE_RegionsEverywhere() As String Get Return ResourceManager.GetString("FEATURE_RegionsEverywhere", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to multi-line lambda expressions. '''</summary> Friend ReadOnly Property FEATURE_StatementLambdas() As String Get Return ResourceManager.GetString("FEATURE_StatementLambdas", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Sub&apos; lambda expressions. '''</summary> Friend ReadOnly Property FEATURE_SubLambdas() As String Get Return ResourceManager.GetString("FEATURE_SubLambdas", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to TypeOf IsNot expression. '''</summary> Friend ReadOnly Property FEATURE_TypeOfIsNot() As String Get Return ResourceManager.GetString("FEATURE_TypeOfIsNot", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to warning directives. '''</summary> Friend ReadOnly Property FEATURE_WarningDirectives() As String Get Return ResourceManager.GetString("FEATURE_WarningDirectives", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to year-first date literals. '''</summary> Friend ReadOnly Property FEATURE_YearFirstDateLiterals() As String Get Return ResourceManager.GetString("FEATURE_YearFirstDateLiterals", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to FieldInitializerSyntax not within syntax tree. '''</summary> Friend ReadOnly Property FieldInitializerSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("FieldInitializerSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to File name &apos;{0}&apos; is empty, contains invalid characters, has a drive specification without an absolute path, or is too long. '''</summary> Friend ReadOnly Property FTL_InputFileNameTooLong() As String Get Return ResourceManager.GetString("FTL_InputFileNameTooLong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to FunctionSyntax not within syntax tree. '''</summary> Friend ReadOnly Property FunctionSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("FunctionSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused import clause.. '''</summary> Friend ReadOnly Property HDN_UnusedImportClause() As String Get Return ResourceManager.GetString("HDN_UnusedImportClause", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused import clause. '''</summary> Friend ReadOnly Property HDN_UnusedImportClause_Title() As String Get Return ResourceManager.GetString("HDN_UnusedImportClause_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused import statement.. '''</summary> Friend ReadOnly Property HDN_UnusedImportStatement() As String Get Return ResourceManager.GetString("HDN_UnusedImportStatement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused import statement. '''</summary> Friend ReadOnly Property HDN_UnusedImportStatement_Title() As String Get Return ResourceManager.GetString("HDN_UnusedImportStatement_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to IdentifierSyntax not within syntax tree. '''</summary> Friend ReadOnly Property IdentifierSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("IdentifierSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to function return type. '''</summary> Friend ReadOnly Property IDS_FunctionReturnType() As String Get Return ResourceManager.GetString("IDS_FunctionReturnType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Preprocessor constant &apos;{0}&apos; of type &apos;{1}&apos; is not supported, only primitive types are allowed.. '''</summary> Friend ReadOnly Property IDS_InvalidPreprocessorConstantType() As String Get Return ResourceManager.GetString("IDS_InvalidPreprocessorConstantType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} version {1}. '''</summary> Friend ReadOnly Property IDS_LogoLine1() As String Get Return ResourceManager.GetString("IDS_LogoLine1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Copyright (C) Microsoft Corporation. All rights reserved.. '''</summary> Friend ReadOnly Property IDS_LogoLine2() As String Get Return ResourceManager.GetString("IDS_LogoLine2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Adding embedded assembly reference &apos;{0}&apos;. '''</summary> Friend ReadOnly Property IDS_MSG_ADDLINKREFERENCE() As String Get Return ResourceManager.GetString("IDS_MSG_ADDLINKREFERENCE", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Adding module reference &apos;{0}&apos;. '''</summary> Friend ReadOnly Property IDS_MSG_ADDMODULE() As String Get Return ResourceManager.GetString("IDS_MSG_ADDMODULE", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Adding assembly reference &apos;{0}&apos;. '''</summary> Friend ReadOnly Property IDS_MSG_ADDREFERENCE() As String Get Return ResourceManager.GetString("IDS_MSG_ADDREFERENCE", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &lt;project settings&gt;. '''</summary> Friend ReadOnly Property IDS_ProjectSettingsLocationName() As String Get Return ResourceManager.GetString("IDS_ProjectSettingsLocationName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The system cannot find the path specified. '''</summary> Friend ReadOnly Property IDS_TheSystemCannotFindThePathSpecified() As String Get Return ResourceManager.GetString("IDS_TheSystemCannotFindThePathSpecified", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Microsoft (R) Visual Basic Compiler. '''</summary> Friend ReadOnly Property IDS_ToolName() As String Get Return ResourceManager.GetString("IDS_ToolName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Visual Basic Compiler Options ''' ''' - OUTPUT FILE - '''/out:&lt;file&gt; Specifies the output file name. '''/target:exe Create a console application (default). ''' (Short form: /t) '''/target:winexe Create a Windows application. '''/target:library Create a library assembly. '''/target:module Create a module that can be added to an ''' [rest of string was truncated]&quot;;. '''</summary> Friend ReadOnly Property IDS_VBCHelp() As String Get Return ResourceManager.GetString("IDS_VBCHelp", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Skipping some types in analyzer assembly {0} due to a ReflectionTypeLoadException : {1}.. '''</summary> Friend ReadOnly Property INF_UnableToLoadSomeTypesInAnalyzer() As String Get Return ResourceManager.GetString("INF_UnableToLoadSomeTypesInAnalyzer", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Skip loading types in analyzer assembly that fail due to a ReflectionTypeLoadException. '''</summary> Friend ReadOnly Property INF_UnableToLoadSomeTypesInAnalyzer_Title() As String Get Return ResourceManager.GetString("INF_UnableToLoadSomeTypesInAnalyzer_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Location must be provided in order to provide minimal type qualification.. '''</summary> Friend ReadOnly Property LocationMustBeProvided() As String Get Return ResourceManager.GetString("LocationMustBeProvided", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Node is not within syntax tree. '''</summary> Friend ReadOnly Property NodeIsNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("NodeIsNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SearchCriteria is expected.. '''</summary> Friend ReadOnly Property NoNoneSearchCriteria() As String Get Return ResourceManager.GetString("NoNoneSearchCriteria", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Not a VB symbol.. '''</summary> Friend ReadOnly Property NotAVbSymbol() As String Get Return ResourceManager.GetString("NotAVbSymbol", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to not within tree. '''</summary> Friend ReadOnly Property NotWithinTree() As String Get Return ResourceManager.GetString("NotWithinTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to the number of type parameters and arguments should be the same. '''</summary> Friend ReadOnly Property NumberOfTypeParametersAndArgumentsMustMatch() As String Get Return ResourceManager.GetString("NumberOfTypeParametersAndArgumentsMustMatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Position is not within syntax tree. '''</summary> Friend ReadOnly Property PositionIsNotWithinSyntax() As String Get Return ResourceManager.GetString("PositionIsNotWithinSyntax", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Position must be within span of the syntax tree.. '''</summary> Friend ReadOnly Property PositionNotWithinTree() As String Get Return ResourceManager.GetString("PositionNotWithinTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to position of type parameter too large. '''</summary> Friend ReadOnly Property PositionOfTypeParameterTooLarge() As String Get Return ResourceManager.GetString("PositionOfTypeParameterTooLarge", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Properties can not have type arguments. '''</summary> Friend ReadOnly Property PropertiesCanNotHaveTypeArguments() As String Get Return ResourceManager.GetString("PropertiesCanNotHaveTypeArguments", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to RangeVariableSyntax not within syntax tree. '''</summary> Friend ReadOnly Property RangeVariableSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("RangeVariableSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SemanticModel must be provided in order to provide minimal type qualification.. '''</summary> Friend ReadOnly Property SemanticModelMustBeProvided() As String Get Return ResourceManager.GetString("SemanticModelMustBeProvided", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax node to be speculated cannot belong to a syntax tree from the current compilation.. '''</summary> Friend ReadOnly Property SpeculatedSyntaxNodeCannotBelongToCurrentCompilation() As String Get Return ResourceManager.GetString("SpeculatedSyntaxNodeCannotBelongToCurrentCompilation", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to StatementOrExpression is not an ExecutableStatementSyntax or an ExpressionSyntax. '''</summary> Friend ReadOnly Property StatementOrExpressionIsNotAValidType() As String Get Return ResourceManager.GetString("StatementOrExpressionIsNotAValidType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Submission can have at most one syntax tree.. '''</summary> Friend ReadOnly Property SubmissionCanHaveAtMostOneSyntaxTree() As String Get Return ResourceManager.GetString("SubmissionCanHaveAtMostOneSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax tree already present. '''</summary> Friend ReadOnly Property SyntaxTreeAlreadyPresent() As String Get Return ResourceManager.GetString("SyntaxTreeAlreadyPresent", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Syntax tree should be created from a submission.. '''</summary> Friend ReadOnly Property SyntaxTreeIsNotASubmission() As String Get Return ResourceManager.GetString("SyntaxTreeIsNotASubmission", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to SyntaxTree &apos;{0}&apos; not found to remove. '''</summary> Friend ReadOnly Property SyntaxTreeNotFoundToRemove() As String Get Return ResourceManager.GetString("SyntaxTreeNotFoundToRemove", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to There are no pointer types in VB.. '''</summary> Friend ReadOnly Property ThereAreNoPointerTypesInVB() As String Get Return ResourceManager.GetString("ThereAreNoPointerTypesInVB", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to There is no dynamic type in VB.. '''</summary> Friend ReadOnly Property ThereIsNoDynamicTypeInVB() As String Get Return ResourceManager.GetString("ThereIsNoDynamicTypeInVB", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Tree must have a root node with SyntaxKind.CompilationUnit. '''</summary> Friend ReadOnly Property TreeMustHaveARootNodeWithCompilationUnit() As String Get Return ResourceManager.GetString("TreeMustHaveARootNodeWithCompilationUnit", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to trees({0}). '''</summary> Friend ReadOnly Property Trees0() As String Get Return ResourceManager.GetString("Trees0", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to trees({0}) must have root node with SyntaxKind.CompilationUnit.. '''</summary> Friend ReadOnly Property TreesMustHaveRootNode() As String Get Return ResourceManager.GetString("TreesMustHaveRootNode", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Tuples are not supported in VB.. '''</summary> Friend ReadOnly Property TuplesNotSupported() As String Get Return ResourceManager.GetString("TuplesNotSupported", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type argument cannot be Nothing. '''</summary> Friend ReadOnly Property TypeArgumentCannotBeNothing() As String Get Return ResourceManager.GetString("TypeArgumentCannotBeNothing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to TypeParameter not within tree. '''</summary> Friend ReadOnly Property TypeParameterNotWithinTree() As String Get Return ResourceManager.GetString("TypeParameterNotWithinTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to variableSyntax not within syntax tree. '''</summary> Friend ReadOnly Property VariableSyntaxNotWithinSyntaxTree() As String Get Return ResourceManager.GetString("VariableSyntaxNotWithinSyntaxTree", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion from &apos;{0}&apos; to &apos;{1}&apos; may be ambiguous.. '''</summary> Friend ReadOnly Property WRN_AmbiguousCastConversion2() As String Get Return ResourceManager.GetString("WRN_AmbiguousCastConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Conversion may be ambiguous. '''</summary> Friend ReadOnly Property WRN_AmbiguousCastConversion2_Title() As String Get Return ResourceManager.GetString("WRN_AmbiguousCastConversion2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to An instance of analyzer {0} cannot be created from {1} : {2}.. '''</summary> Friend ReadOnly Property WRN_AnalyzerCannotBeCreated() As String Get Return ResourceManager.GetString("WRN_AnalyzerCannotBeCreated", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Instance of analyzer cannot be created. '''</summary> Friend ReadOnly Property WRN_AnalyzerCannotBeCreated_Title() As String Get Return ResourceManager.GetString("WRN_AnalyzerCannotBeCreated_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_ArrayInitNoTypeObjectAssumed() As String Get Return ResourceManager.GetString("WRN_ArrayInitNoTypeObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type. '''</summary> Friend ReadOnly Property WRN_ArrayInitNoTypeObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_ArrayInitNoTypeObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type because more than one type is possible; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_ArrayInitTooManyTypesObjectAssumed() As String Get Return ResourceManager.GetString("WRN_ArrayInitTooManyTypesObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer an element type because more than one type is possible. '''</summary> Friend ReadOnly Property WRN_ArrayInitTooManyTypesObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_ArrayInitTooManyTypesObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not CLS-compliant because it overloads &apos;{1}&apos; which differs from it only by array of array parameter types or by the rank of the array parameter types.. '''</summary> Friend ReadOnly Property WRN_ArrayOverloadsNonCLS2() As String Get Return ResourceManager.GetString("WRN_ArrayOverloadsNonCLS2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method is not CLS-compliant because it overloads method which differs from it only by array of array parameter types or by the rank of the array parameter types. '''</summary> Friend ReadOnly Property WRN_ArrayOverloadsNonCLS2_Title() As String Get Return ResourceManager.GetString("WRN_ArrayOverloadsNonCLS2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;{0}&apos; from module &apos;{1}&apos; will be ignored in favor of the instance appearing in source.. '''</summary> Friend ReadOnly Property WRN_AssemblyAttributeFromModuleIsOverridden() As String Get Return ResourceManager.GetString("WRN_AssemblyAttributeFromModuleIsOverridden", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute from module will be ignored in favor of the instance appearing in source. '''</summary> Friend ReadOnly Property WRN_AssemblyAttributeFromModuleIsOverridden_Title() As String Get Return ResourceManager.GetString("WRN_AssemblyAttributeFromModuleIsOverridden_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Possible problem detected while building assembly: {0}. '''</summary> Friend ReadOnly Property WRN_AssemblyGeneration0() As String Get Return ResourceManager.GetString("WRN_AssemblyGeneration0", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Possible problem detected while building assembly. '''</summary> Friend ReadOnly Property WRN_AssemblyGeneration0_Title() As String Get Return ResourceManager.GetString("WRN_AssemblyGeneration0_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Possible problem detected while building assembly &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property WRN_AssemblyGeneration1() As String Get Return ResourceManager.GetString("WRN_AssemblyGeneration1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Possible problem detected while building assembly. '''</summary> Friend ReadOnly Property WRN_AssemblyGeneration1_Title() As String Get Return ResourceManager.GetString("WRN_AssemblyGeneration1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This async method lacks &apos;Await&apos; operators and so will run synchronously. Consider using the &apos;Await&apos; operator to await non-blocking API calls, or &apos;Await Task.Run(...)&apos; to do CPU-bound work on a background thread.. '''</summary> Friend ReadOnly Property WRN_AsyncLacksAwaits() As String Get Return ResourceManager.GetString("WRN_AsyncLacksAwaits", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This async method lacks &apos;Await&apos; operators and so will run synchronously. '''</summary> Friend ReadOnly Property WRN_AsyncLacksAwaits_Title() As String Get Return ResourceManager.GetString("WRN_AsyncLacksAwaits_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Some overloads here take an Async Function rather than an Async Sub. Consider either using an Async Function, or casting this Async Sub explicitly to the desired type.. '''</summary> Friend ReadOnly Property WRN_AsyncSubCouldBeFunction() As String Get Return ResourceManager.GetString("WRN_AsyncSubCouldBeFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Some overloads here take an Async Function rather than an Async Sub. '''</summary> Friend ReadOnly Property WRN_AsyncSubCouldBeFunction_Title() As String Get Return ResourceManager.GetString("WRN_AsyncSubCouldBeFunction_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bad checksum value, non hex digits or odd number of hex digits.. '''</summary> Friend ReadOnly Property WRN_BadChecksumValExtChecksum() As String Get Return ResourceManager.GetString("WRN_BadChecksumValExtChecksum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bad checksum value, non hex digits or odd number of hex digits. '''</summary> Friend ReadOnly Property WRN_BadChecksumValExtChecksum_Title() As String Get Return ResourceManager.GetString("WRN_BadChecksumValExtChecksum_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bad GUID format.. '''</summary> Friend ReadOnly Property WRN_BadGUIDFormatExtChecksum() As String Get Return ResourceManager.GetString("WRN_BadGUIDFormatExtChecksum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Bad GUID format. '''</summary> Friend ReadOnly Property WRN_BadGUIDFormatExtChecksum_Title() As String Get Return ResourceManager.GetString("WRN_BadGUIDFormatExtChecksum_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to unrecognized option &apos;{0}&apos;; ignored. '''</summary> Friend ReadOnly Property WRN_BadSwitch() As String Get Return ResourceManager.GetString("WRN_BadSwitch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unrecognized command-line option. '''</summary> Friend ReadOnly Property WRN_BadSwitch_Title() As String Get Return ResourceManager.GetString("WRN_BadSwitch_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The language name &apos;{0}&apos; is invalid.. '''</summary> Friend ReadOnly Property WRN_BadUILang() As String Get Return ResourceManager.GetString("WRN_BadUILang", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The language name for /preferreduilang is invalid. '''</summary> Friend ReadOnly Property WRN_BadUILang_Title() As String Get Return ResourceManager.GetString("WRN_BadUILang_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not CLS-compliant because it derives from &apos;{1}&apos;, which is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_BaseClassNotCLSCompliant2() As String Get Return ResourceManager.GetString("WRN_BaseClassNotCLSCompliant2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type is not CLS-compliant because it derives from base type that is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_BaseClassNotCLSCompliant2_Title() As String Get Return ResourceManager.GetString("WRN_BaseClassNotCLSCompliant2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Could not find standard library &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_CannotFindStandardLibrary1() As String Get Return ResourceManager.GetString("WRN_CannotFindStandardLibrary1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Could not find standard library. '''</summary> Friend ReadOnly Property WRN_CannotFindStandardLibrary1_Title() As String Get Return ResourceManager.GetString("WRN_CannotFindStandardLibrary1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to System.CLSCompliantAttribute cannot be applied to property &apos;Get&apos; or &apos;Set&apos;.. '''</summary> Friend ReadOnly Property WRN_CLSAttrInvalidOnGetSet() As String Get Return ResourceManager.GetString("WRN_CLSAttrInvalidOnGetSet", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to System.CLSCompliantAttribute cannot be applied to property &apos;Get&apos; or &apos;Set&apos;. '''</summary> Friend ReadOnly Property WRN_CLSAttrInvalidOnGetSet_Title() As String Get Return ResourceManager.GetString("WRN_CLSAttrInvalidOnGetSet_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; method for event &apos;{1}&apos; cannot be marked CLS compliant because its containing type &apos;{2}&apos; is not CLS compliant.. '''</summary> Friend ReadOnly Property WRN_CLSEventMethodInNonCLSType3() As String Get Return ResourceManager.GetString("WRN_CLSEventMethodInNonCLSType3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to AddHandler or RemoveHandler method for event cannot be marked CLS compliant because its containing type is not CLS compliant. '''</summary> Friend ReadOnly Property WRN_CLSEventMethodInNonCLSType3_Title() As String Get Return ResourceManager.GetString("WRN_CLSEventMethodInNonCLSType3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; cannot be marked CLS-compliant because its containing type &apos;{2}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_CLSMemberInNonCLSType3() As String Get Return ResourceManager.GetString("WRN_CLSMemberInNonCLSType3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member cannot be marked CLS-compliant because its containing type is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_CLSMemberInNonCLSType3_Title() As String Get Return ResourceManager.GetString("WRN_CLSMemberInNonCLSType3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; on class &apos;{0}&apos; implicitly declares {1} &apos;{2}&apos;, which conflicts with a member of the same name in {3} &apos;{4}&apos;. Use &apos;Microsoft.VisualBasic.ComClassAttribute(InterfaceShadows:=True)&apos; if you want to hide the name on the base {4}.. '''</summary> Friend ReadOnly Property WRN_ComClassInterfaceShadows5() As String Get Return ResourceManager.GetString("WRN_ComClassInterfaceShadows5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; on class implicitly declares member, which conflicts with a member of the same name. '''</summary> Friend ReadOnly Property WRN_ComClassInterfaceShadows5_Title() As String Get Return ResourceManager.GetString("WRN_ComClassInterfaceShadows5_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; is specified for class &apos;{0}&apos; but &apos;{0}&apos; has no public members that can be exposed to COM; therefore, no COM interfaces are generated.. '''</summary> Friend ReadOnly Property WRN_ComClassNoMembers1() As String Get Return ResourceManager.GetString("WRN_ComClassNoMembers1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Microsoft.VisualBasic.ComClassAttribute&apos; is specified for class but class has no public members that can be exposed to COM. '''</summary> Friend ReadOnly Property WRN_ComClassNoMembers1_Title() As String Get Return ResourceManager.GetString("WRN_ComClassNoMembers1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be exposed to COM as a property &apos;Let&apos;. You will not be able to assign non-object values (such as numbers or strings) to this property from Visual Basic 6.0 using a &apos;Let&apos; statement.. '''</summary> Friend ReadOnly Property WRN_ComClassPropertySetObject1() As String Get Return ResourceManager.GetString("WRN_ComClassPropertySetObject1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property cannot be exposed to COM as a property &apos;Let&apos;. '''</summary> Friend ReadOnly Property WRN_ComClassPropertySetObject1_Title() As String Get Return ResourceManager.GetString("WRN_ComClassPropertySetObject1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;Conditional&apos; is only valid on &apos;Sub&apos; declarations.. '''</summary> Friend ReadOnly Property WRN_ConditionalNotValidOnFunction() As String Get Return ResourceManager.GetString("WRN_ConditionalNotValidOnFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attribute &apos;Conditional&apos; is only valid on &apos;Sub&apos; declarations. '''</summary> Friend ReadOnly Property WRN_ConditionalNotValidOnFunction_Title() As String Get Return ResourceManager.GetString("WRN_ConditionalNotValidOnFunction_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly &apos;{0}&apos; targets a different processor.. '''</summary> Friend ReadOnly Property WRN_ConflictingMachineAssembly() As String Get Return ResourceManager.GetString("WRN_ConflictingMachineAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly targets a different processor. '''</summary> Friend ReadOnly Property WRN_ConflictingMachineAssembly_Title() As String Get Return ResourceManager.GetString("WRN_ConflictingMachineAssembly_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type arguments inferred for method &apos;{0}&apos; result in the following warnings :{1}. '''</summary> Friend ReadOnly Property WRN_ConstraintsFailedForInferredArgs2() As String Get Return ResourceManager.GetString("WRN_ConstraintsFailedForInferredArgs2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type arguments inferred for method result in warnings. '''</summary> Friend ReadOnly Property WRN_ConstraintsFailedForInferredArgs2_Title() As String Get Return ResourceManager.GetString("WRN_ConstraintsFailedForInferredArgs2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to System.Diagnostics.DebuggerHiddenAttribute does not affect &apos;Get&apos; or &apos;Set&apos; when applied to the Property definition. Apply the attribute directly to the &apos;Get&apos; and &apos;Set&apos; procedures as appropriate.. '''</summary> Friend ReadOnly Property WRN_DebuggerHiddenIgnoredOnProperties() As String Get Return ResourceManager.GetString("WRN_DebuggerHiddenIgnoredOnProperties", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to System.Diagnostics.DebuggerHiddenAttribute does not affect &apos;Get&apos; or &apos;Set&apos; when applied to the Property definition. '''</summary> Friend ReadOnly Property WRN_DebuggerHiddenIgnoredOnProperties_Title() As String Get Return ResourceManager.GetString("WRN_DebuggerHiddenIgnoredOnProperties_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function &apos;{0}&apos; doesn&apos;t return a value on all code paths. A null reference exception could occur at run time when the result is used.. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValFuncRef1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValFuncRef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValFuncRef1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValFuncRef1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function &apos;{0}&apos; doesn&apos;t return a value on all code paths. Are you missing a &apos;Return&apos; statement?. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValFuncVal1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValFuncVal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValFuncVal1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValFuncVal1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; doesn&apos;t return a value on all code paths. A null reference exception could occur at run time when the result is used.. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValOpRef1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValOpRef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValOpRef1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValOpRef1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator &apos;{0}&apos; doesn&apos;t return a value on all code paths. Are you missing a &apos;Return&apos; statement?. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValOpVal1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValOpVal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValOpVal1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValOpVal1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; doesn&apos;t return a value on all code paths. A null reference exception could occur at run time when the result is used.. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValPropRef1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValPropRef1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValPropRef1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValPropRef1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property &apos;{0}&apos; doesn&apos;t return a value on all code paths. Are you missing a &apos;Return&apos; statement?. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValPropVal1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValPropVal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValPropVal1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValPropVal1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The AddHandler for Windows Runtime event &apos;{0}&apos; doesn&apos;t return a value on all code paths. Are you missing a &apos;Return&apos; statement?. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValWinRtEventVal1() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValWinRtEventVal1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The AddHandler for Windows Runtime event doesn&apos;t return a value on all code paths. '''</summary> Friend ReadOnly Property WRN_DefAsgNoRetValWinRtEventVal1_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgNoRetValWinRtEventVal1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; is used before it has been assigned a value. A null reference exception could result at runtime.. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRef() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable is used before it has been assigned a value. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRef_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRef_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; is passed by reference before it has been assigned a value. A null reference exception could result at runtime.. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefByRef() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefByRef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable is passed by reference before it has been assigned a value. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefByRef_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefByRef_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; is passed by reference before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefByRefStr() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefByRefStr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable is passed by reference before it has been assigned a value. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefByRefStr_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefByRefStr_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable &apos;{0}&apos; is used before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefStr() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefStr", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable is used before it has been assigned a value. '''</summary> Friend ReadOnly Property WRN_DefAsgUseNullRefStr_Title() As String Get Return ResourceManager.GetString("WRN_DefAsgUseNullRefStr_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Default property &apos;{0}&apos; conflicts with the default property &apos;{1}&apos; in the base {2} &apos;{3}&apos;. &apos;{0}&apos; will be the default property. &apos;{0}&apos; should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_DefaultnessShadowed4() As String Get Return ResourceManager.GetString("WRN_DefaultnessShadowed4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Default property conflicts with the default property in the base type. '''</summary> Friend ReadOnly Property WRN_DefaultnessShadowed4_Title() As String Get Return ResourceManager.GetString("WRN_DefaultnessShadowed4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delay signing was specified and requires a public key, but no public key was specified.. '''</summary> Friend ReadOnly Property WRN_DelaySignButNoKey() As String Get Return ResourceManager.GetString("WRN_DelaySignButNoKey", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delay signing was specified and requires a public key, but no public key was specified. '''</summary> Friend ReadOnly Property WRN_DelaySignButNoKey_Title() As String Get Return ResourceManager.GetString("WRN_DelaySignButNoKey_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; block never reached; &apos;{0}&apos; handled above in the same Try statement.. '''</summary> Friend ReadOnly Property WRN_DuplicateCatch() As String Get Return ResourceManager.GetString("WRN_DuplicateCatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; block never reached; exception type handled above in the same Try statement. '''</summary> Friend ReadOnly Property WRN_DuplicateCatch_Title() As String Get Return ResourceManager.GetString("WRN_DuplicateCatch_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The xmlns attribute has special meaning and should not be written with a prefix.. '''</summary> Friend ReadOnly Property WRN_EmptyPrefixAndXmlnsLocalName() As String Get Return ResourceManager.GetString("WRN_EmptyPrefixAndXmlnsLocalName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The xmlns attribute has special meaning and should not be written with a prefix. '''</summary> Friend ReadOnly Property WRN_EmptyPrefixAndXmlnsLocalName_Title() As String Get Return ResourceManager.GetString("WRN_EmptyPrefixAndXmlnsLocalName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Underlying type &apos;{0}&apos; of Enum is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_EnumUnderlyingTypeNotCLS1() As String Get Return ResourceManager.GetString("WRN_EnumUnderlyingTypeNotCLS1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Underlying type of Enum is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_EnumUnderlyingTypeNotCLS1_Title() As String Get Return ResourceManager.GetString("WRN_EnumUnderlyingTypeNotCLS1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is null consider using &apos;Is Nothing&apos;.. '''</summary> Friend ReadOnly Property WRN_EqualToLiteralNothing() As String Get Return ResourceManager.GetString("WRN_EqualToLiteralNothing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This expression will always evaluate to Nothing. '''</summary> Friend ReadOnly Property WRN_EqualToLiteralNothing_Title() As String Get Return ResourceManager.GetString("WRN_EqualToLiteralNothing_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegate type &apos;{0}&apos; of event &apos;{1}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_EventDelegateTypeNotCLSCompliant2() As String Get Return ResourceManager.GetString("WRN_EventDelegateTypeNotCLSCompliant2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Delegate type of event is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_EventDelegateTypeNotCLSCompliant2_Title() As String Get Return ResourceManager.GetString("WRN_EventDelegateTypeNotCLSCompliant2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; in designer-generated type &apos;{1}&apos; should call InitializeComponent method.. '''</summary> Friend ReadOnly Property WRN_ExpectedInitComponentCall2() As String Get Return ResourceManager.GetString("WRN_ExpectedInitComponentCall2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Constructor in designer-generated type should call InitializeComponent method. '''</summary> Friend ReadOnly Property WRN_ExpectedInitComponentCall2_Title() As String Get Return ResourceManager.GetString("WRN_ExpectedInitComponentCall2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of member &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_FieldNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_FieldNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of member is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_FieldNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_FieldNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to source file &apos;{0}&apos; specified multiple times. '''</summary> Friend ReadOnly Property WRN_FileAlreadyIncluded() As String Get Return ResourceManager.GetString("WRN_FileAlreadyIncluded", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Source file specified multiple times. '''</summary> Friend ReadOnly Property WRN_FileAlreadyIncluded_Title() As String Get Return ResourceManager.GetString("WRN_FileAlreadyIncluded_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic parameter constraint type &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_GenericConstraintNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_GenericConstraintNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Generic parameter constraint type is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_GenericConstraintNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_GenericConstraintNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_IfNoTypeObjectAssumed() As String Get Return ResourceManager.GetString("WRN_IfNoTypeObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type. '''</summary> Friend ReadOnly Property WRN_IfNoTypeObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_IfNoTypeObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type because more than one type is possible; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_IfTooManyTypesObjectAssumed() As String Get Return ResourceManager.GetString("WRN_IfTooManyTypesObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a common type because more than one type is possible. '''</summary> Friend ReadOnly Property WRN_IfTooManyTypesObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_IfTooManyTypesObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option /win32manifest ignored. It can be specified only when the target is an assembly.. '''</summary> Friend ReadOnly Property WRN_IgnoreModuleManifest() As String Get Return ResourceManager.GetString("WRN_IgnoreModuleManifest", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Option /win32manifest ignored. '''</summary> Friend ReadOnly Property WRN_IgnoreModuleManifest_Title() As String Get Return ResourceManager.GetString("WRN_IgnoreModuleManifest_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion from &apos;{0}&apos; to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_ImplicitConversion2() As String Get Return ResourceManager.GetString("WRN_ImplicitConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion. '''</summary> Friend ReadOnly Property WRN_ImplicitConversion2_Title() As String Get Return ResourceManager.GetString("WRN_ImplicitConversion2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion from &apos;{1}&apos; to &apos;{2}&apos; in copying the value of &apos;ByRef&apos; parameter &apos;{0}&apos; back to the matching argument.. '''</summary> Friend ReadOnly Property WRN_ImplicitConversionCopyBack() As String Get Return ResourceManager.GetString("WRN_ImplicitConversionCopyBack", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion in copying the value of &apos;ByRef&apos; parameter back to the matching argument. '''</summary> Friend ReadOnly Property WRN_ImplicitConversionCopyBack_Title() As String Get Return ResourceManager.GetString("WRN_ImplicitConversionCopyBack_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0}. '''</summary> Friend ReadOnly Property WRN_ImplicitConversionSubst1() As String Get Return ResourceManager.GetString("WRN_ImplicitConversionSubst1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion. '''</summary> Friend ReadOnly Property WRN_ImplicitConversionSubst1_Title() As String Get Return ResourceManager.GetString("WRN_ImplicitConversionSubst1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to A reference was created to embedded interop assembly &apos;{0}&apos; because of an indirect reference to that assembly from assembly &apos;{1}&apos;. Consider changing the &apos;Embed Interop Types&apos; property on either assembly.. '''</summary> Friend ReadOnly Property WRN_IndirectRefToLinkedAssembly2() As String Get Return ResourceManager.GetString("WRN_IndirectRefToLinkedAssembly2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to A reference was created to embedded interop assembly because of an indirect reference to that assembly. '''</summary> Friend ReadOnly Property WRN_IndirectRefToLinkedAssembly2_Title() As String Get Return ResourceManager.GetString("WRN_IndirectRefToLinkedAssembly2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is not CLS-compliant because the interface &apos;{1}&apos; it inherits from is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_InheritedInterfaceNotCLSCompliant2() As String Get Return ResourceManager.GetString("WRN_InheritedInterfaceNotCLSCompliant2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type is not CLS-compliant because the interface it inherits from is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_InheritedInterfaceNotCLSCompliant2_Title() As String Get Return ResourceManager.GetString("WRN_InheritedInterfaceNotCLSCompliant2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Runtime errors might occur when converting &apos;{0}&apos; to &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_InterfaceConversion2() As String Get Return ResourceManager.GetString("WRN_InterfaceConversion2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Runtime errors might occur when converting to or from interface type. '''</summary> Friend ReadOnly Property WRN_InterfaceConversion2_Title() As String Get Return ResourceManager.GetString("WRN_InterfaceConversion2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly reference &apos;{0}&apos; is invalid and cannot be resolved.. '''</summary> Friend ReadOnly Property WRN_InvalidAssemblyName() As String Get Return ResourceManager.GetString("WRN_InvalidAssemblyName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly reference is invalid and cannot be resolved. '''</summary> Friend ReadOnly Property WRN_InvalidAssemblyName_Title() As String Get Return ResourceManager.GetString("WRN_InvalidAssemblyName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The specified version string does not conform to the recommended format - major.minor.build.revision. '''</summary> Friend ReadOnly Property WRN_InvalidVersionFormat() As String Get Return ResourceManager.GetString("WRN_InvalidVersionFormat", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The specified version string does not conform to the recommended format. '''</summary> Friend ReadOnly Property WRN_InvalidVersionFormat_Title() As String Get Return ResourceManager.GetString("WRN_InvalidVersionFormat_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to warning number &apos;{0}&apos; for the option &apos;{1}&apos; is either not configurable or not valid. '''</summary> Friend ReadOnly Property WRN_InvalidWarningId() As String Get Return ResourceManager.GetString("WRN_InvalidWarningId", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Warning number is either not configurable or not valid. '''</summary> Friend ReadOnly Property WRN_InvalidWarningId_Title() As String Get Return ResourceManager.GetString("WRN_InvalidWarningId_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_LambdaNoTypeObjectAssumed() As String Get Return ResourceManager.GetString("WRN_LambdaNoTypeObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type. '''</summary> Friend ReadOnly Property WRN_LambdaNoTypeObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_LambdaNoTypeObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda expression will not be removed from this event handler. Assign the lambda expression to a variable and use the variable to add and remove the event.. '''</summary> Friend ReadOnly Property WRN_LambdaPassedToRemoveHandler() As String Get Return ResourceManager.GetString("WRN_LambdaPassedToRemoveHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Lambda expression will not be removed from this event handler. '''</summary> Friend ReadOnly Property WRN_LambdaPassedToRemoveHandler_Title() As String Get Return ResourceManager.GetString("WRN_LambdaPassedToRemoveHandler_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type because more than one type is possible; &apos;Object&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_LambdaTooManyTypesObjectAssumed() As String Get Return ResourceManager.GetString("WRN_LambdaTooManyTypesObjectAssumed", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot infer a return type because more than one type is possible. '''</summary> Friend ReadOnly Property WRN_LambdaTooManyTypesObjectAssumed_Title() As String Get Return ResourceManager.GetString("WRN_LambdaTooManyTypesObjectAssumed_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Late bound resolution; runtime errors could occur.. '''</summary> Friend ReadOnly Property WRN_LateBindingResolution() As String Get Return ResourceManager.GetString("WRN_LateBindingResolution", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Late bound resolution. '''</summary> Friend ReadOnly Property WRN_LateBindingResolution_Title() As String Get Return ResourceManager.GetString("WRN_LateBindingResolution_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using the iteration variable in a lambda expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.. '''</summary> Friend ReadOnly Property WRN_LiftControlVariableLambda() As String Get Return ResourceManager.GetString("WRN_LiftControlVariableLambda", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using the iteration variable in a lambda expression may have unexpected results. '''</summary> Friend ReadOnly Property WRN_LiftControlVariableLambda_Title() As String Get Return ResourceManager.GetString("WRN_LiftControlVariableLambda_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using the iteration variable in a query expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.. '''</summary> Friend ReadOnly Property WRN_LiftControlVariableQuery() As String Get Return ResourceManager.GetString("WRN_LiftControlVariableQuery", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using the iteration variable in a query expression may have unexpected results. '''</summary> Friend ReadOnly Property WRN_LiftControlVariableQuery_Title() As String Get Return ResourceManager.GetString("WRN_LiftControlVariableQuery_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The entry point of the program is global script code; ignoring &apos;{0}&apos; entry point.. '''</summary> Friend ReadOnly Property WRN_MainIgnored() As String Get Return ResourceManager.GetString("WRN_MainIgnored", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The entry point of the program is global script code; ignoring entry point. '''</summary> Friend ReadOnly Property WRN_MainIgnored_Title() As String Get Return ResourceManager.GetString("WRN_MainIgnored_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; conflicts with a member implicitly declared for {2} &apos;{3}&apos; in the base {4} &apos;{5}&apos; and should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_MemberShadowsSynthMember6() As String Get Return ResourceManager.GetString("WRN_MemberShadowsSynthMember6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member conflicts with a member implicitly declared for property or event in the base type. '''</summary> Friend ReadOnly Property WRN_MemberShadowsSynthMember6_Title() As String Get Return ResourceManager.GetString("WRN_MemberShadowsSynthMember6_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function without an &apos;As&apos; clause; return type of Object assumed.. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinFunction() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinFunction", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinFunction_Title() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinFunction_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator without an &apos;As&apos; clause; type of Object assumed.. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinOperator() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinOperator", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operator without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinOperator_Title() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinOperator_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property without an &apos;As&apos; clause; type of Object assumed.. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinProperty() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinProperty_Title() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinProperty_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable declaration without an &apos;As&apos; clause; type of Object assumed.. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinVarDecl() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinVarDecl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable declaration without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_MissingAsClauseinVarDecl_Title() As String Get Return ResourceManager.GetString("WRN_MissingAsClauseinVarDecl_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to File name already declared with a different GUID and checksum value.. '''</summary> Friend ReadOnly Property WRN_MultipleDeclFileExtChecksum() As String Get Return ResourceManager.GetString("WRN_MultipleDeclFileExtChecksum", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to File name already declared with a different GUID and checksum value. '''</summary> Friend ReadOnly Property WRN_MultipleDeclFileExtChecksum_Title() As String Get Return ResourceManager.GetString("WRN_MultipleDeclFileExtChecksum_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; shadows an overloadable member declared in the base {2} &apos;{3}&apos;. If you want to overload the base method, this method must be declared &apos;Overloads&apos;.. '''</summary> Friend ReadOnly Property WRN_MustOverloadBase4() As String Get Return ResourceManager.GetString("WRN_MustOverloadBase4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member shadows an overloadable member declared in the base type. '''</summary> Friend ReadOnly Property WRN_MustOverloadBase4_Title() As String Get Return ResourceManager.GetString("WRN_MustOverloadBase4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; shadows an overridable method in the base {2} &apos;{3}&apos;. To override the base method, this method must be declared &apos;Overrides&apos;.. '''</summary> Friend ReadOnly Property WRN_MustOverride2() As String Get Return ResourceManager.GetString("WRN_MustOverride2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member shadows an overridable method in the base type. '''</summary> Friend ReadOnly Property WRN_MustOverride2_Title() As String Get Return ResourceManager.GetString("WRN_MustOverride2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; conflicts with other members of the same name across the inheritance hierarchy and so should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_MustShadowOnMultipleInheritance2() As String Get Return ResourceManager.GetString("WRN_MustShadowOnMultipleInheritance2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Method conflicts with other members of the same name across the inheritance hierarchy and so should be declared &apos;Shadows&apos;. '''</summary> Friend ReadOnly Property WRN_MustShadowOnMultipleInheritance2_Title() As String Get Return ResourceManager.GetString("WRN_MustShadowOnMultipleInheritance2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable &apos;{0}&apos; is read-only. When its type is a structure, invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the &apos;Using&apos; block.. '''</summary> Friend ReadOnly Property WRN_MutableGenericStructureInUsing() As String Get Return ResourceManager.GetString("WRN_MutableGenericStructureInUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable declared by Using statement is read-only and its type may be a structure. '''</summary> Friend ReadOnly Property WRN_MutableGenericStructureInUsing_Title() As String Get Return ResourceManager.GetString("WRN_MutableGenericStructureInUsing_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable &apos;{0}&apos; is read-only and its type is a structure. Invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the &apos;Using&apos; block.. '''</summary> Friend ReadOnly Property WRN_MutableStructureInUsing() As String Get Return ResourceManager.GetString("WRN_MutableStructureInUsing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local variable declared by Using statement is read-only and its type is a structure. '''</summary> Friend ReadOnly Property WRN_MutableStructureInUsing_Title() As String Get Return ResourceManager.GetString("WRN_MutableStructureInUsing_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_NameNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_NameNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_NameNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_NameNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Casing of namespace name &apos;{0}&apos; does not match casing of namespace name &apos;{1}&apos; in &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property WRN_NamespaceCaseMismatch3() As String Get Return ResourceManager.GetString("WRN_NamespaceCaseMismatch3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Casing of namespace name does not match. '''</summary> Friend ReadOnly Property WRN_NamespaceCaseMismatch3_Title() As String Get Return ResourceManager.GetString("WRN_NamespaceCaseMismatch3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The assembly {0} does not contain any analyzers.. '''</summary> Friend ReadOnly Property WRN_NoAnalyzerInAssembly() As String Get Return ResourceManager.GetString("WRN_NoAnalyzerInAssembly", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Assembly does not contain any analyzers. '''</summary> Friend ReadOnly Property WRN_NoAnalyzerInAssembly_Title() As String Get Return ResourceManager.GetString("WRN_NoAnalyzerInAssembly_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to ignoring /noconfig option because it was specified in a response file. '''</summary> Friend ReadOnly Property WRN_NoConfigInResponseFile() As String Get Return ResourceManager.GetString("WRN_NoConfigInResponseFile", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Ignoring /noconfig option because it was specified in a response file. '''</summary> Friend ReadOnly Property WRN_NoConfigInResponseFile_Title() As String Get Return ResourceManager.GetString("WRN_NoConfigInResponseFile_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non CLS-compliant &apos;{0}&apos; is not allowed in a CLS-compliant interface.. '''</summary> Friend ReadOnly Property WRN_NonCLSMemberInCLSInterface1() As String Get Return ResourceManager.GetString("WRN_NonCLSMemberInCLSInterface1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non CLS-compliant member is not allowed in a CLS-compliant interface. '''</summary> Friend ReadOnly Property WRN_NonCLSMemberInCLSInterface1_Title() As String Get Return ResourceManager.GetString("WRN_NonCLSMemberInCLSInterface1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non CLS-compliant &apos;MustOverride&apos; member is not allowed in CLS-compliant type &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_NonCLSMustOverrideInCLSType1() As String Get Return ResourceManager.GetString("WRN_NonCLSMustOverrideInCLSType1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Non CLS-compliant &apos;MustOverride&apos; member is not allowed in CLS-compliant type. '''</summary> Friend ReadOnly Property WRN_NonCLSMustOverrideInCLSType1_Title() As String Get Return ResourceManager.GetString("WRN_NonCLSMustOverrideInCLSType1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; should declare a &apos;Sub New&apos; because the &apos;{1}&apos; in its base class &apos;{2}&apos; is marked obsolete.. '''</summary> Friend ReadOnly Property WRN_NoNonObsoleteConstructorOnBase3() As String Get Return ResourceManager.GetString("WRN_NoNonObsoleteConstructorOnBase3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class should declare a &apos;Sub New&apos; because the constructor in its base class is marked obsolete. '''</summary> Friend ReadOnly Property WRN_NoNonObsoleteConstructorOnBase3_Title() As String Get Return ResourceManager.GetString("WRN_NoNonObsoleteConstructorOnBase3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class &apos;{0}&apos; should declare a &apos;Sub New&apos; because the &apos;{1}&apos; in its base class &apos;{2}&apos; is marked obsolete: &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property WRN_NoNonObsoleteConstructorOnBase4() As String Get Return ResourceManager.GetString("WRN_NoNonObsoleteConstructorOnBase4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Class should declare a &apos;Sub New&apos; because the constructor in its base class is marked obsolete. '''</summary> Friend ReadOnly Property WRN_NoNonObsoleteConstructorOnBase4_Title() As String Get Return ResourceManager.GetString("WRN_NoNonObsoleteConstructorOnBase4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is not null consider using &apos;IsNot Nothing&apos;.. '''</summary> Friend ReadOnly Property WRN_NotEqualToLiteralNothing() As String Get Return ResourceManager.GetString("WRN_NotEqualToLiteralNothing", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to This expression will always evaluate to Nothing. '''</summary> Friend ReadOnly Property WRN_NotEqualToLiteralNothing_Title() As String Get Return ResourceManager.GetString("WRN_NotEqualToLiteralNothing_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0}. '''</summary> Friend ReadOnly Property WRN_ObjectAssumed1() As String Get Return ResourceManager.GetString("WRN_ObjectAssumed1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Function without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_ObjectAssumed1_Title() As String Get Return ResourceManager.GetString("WRN_ObjectAssumed1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0}. '''</summary> Friend ReadOnly Property WRN_ObjectAssumedProperty1() As String Get Return ResourceManager.GetString("WRN_ObjectAssumedProperty1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_ObjectAssumedProperty1_Title() As String Get Return ResourceManager.GetString("WRN_ObjectAssumedProperty1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0}. '''</summary> Friend ReadOnly Property WRN_ObjectAssumedVar1() As String Get Return ResourceManager.GetString("WRN_ObjectAssumedVar1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Variable declaration without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_ObjectAssumedVar1_Title() As String Get Return ResourceManager.GetString("WRN_ObjectAssumedVar1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator &apos;{0}&apos;; use the &apos;Is&apos; operator to test object identity.. '''</summary> Friend ReadOnly Property WRN_ObjectMath1() As String Get Return ResourceManager.GetString("WRN_ObjectMath1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator. '''</summary> Friend ReadOnly Property WRN_ObjectMath1_Title() As String Get Return ResourceManager.GetString("WRN_ObjectMath1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator &apos;{0}&apos;; use the &apos;IsNot&apos; operator to test object identity.. '''</summary> Friend ReadOnly Property WRN_ObjectMath1Not() As String Get Return ResourceManager.GetString("WRN_ObjectMath1Not", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator &lt;&gt;. '''</summary> Friend ReadOnly Property WRN_ObjectMath1Not_Title() As String Get Return ResourceManager.GetString("WRN_ObjectMath1Not_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator &apos;{0}&apos;; runtime errors could occur.. '''</summary> Friend ReadOnly Property WRN_ObjectMath2() As String Get Return ResourceManager.GetString("WRN_ObjectMath2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used for operator. '''</summary> Friend ReadOnly Property WRN_ObjectMath2_Title() As String Get Return ResourceManager.GetString("WRN_ObjectMath2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used in expressions for &apos;Select&apos;, &apos;Case&apos; statements; runtime errors could occur.. '''</summary> Friend ReadOnly Property WRN_ObjectMathSelectCase() As String Get Return ResourceManager.GetString("WRN_ObjectMathSelectCase", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Operands of type Object used in expressions for &apos;Select&apos;, &apos;Case&apos; statements. '''</summary> Friend ReadOnly Property WRN_ObjectMathSelectCase_Title() As String Get Return ResourceManager.GetString("WRN_ObjectMathSelectCase_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using DirectCast operator to cast a value-type to the same type is obsolete.. '''</summary> Friend ReadOnly Property WRN_ObsoleteIdentityDirectCastForValueType() As String Get Return ResourceManager.GetString("WRN_ObsoleteIdentityDirectCastForValueType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Using DirectCast operator to cast a value-type to the same type is obsolete. '''</summary> Friend ReadOnly Property WRN_ObsoleteIdentityDirectCastForValueType_Title() As String Get Return ResourceManager.GetString("WRN_ObsoleteIdentityDirectCastForValueType_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of optional value for optional parameter &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_OptionalValueNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_OptionalValueNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of optional value for optional parameter is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_OptionalValueNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_OptionalValueNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; block never reached, because &apos;{0}&apos; inherits from &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_OverlappingCatch() As String Get Return ResourceManager.GetString("WRN_OverlappingCatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;Catch&apos; block never reached; exception type&apos;s base type handled above in the same Try statement. '''</summary> Friend ReadOnly Property WRN_OverlappingCatch_Title() As String Get Return ResourceManager.GetString("WRN_OverlappingCatch_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; conflicts with {2} &apos;{1}&apos; in the base {3} &apos;{4}&apos; and should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_OverrideType5() As String Get Return ResourceManager.GetString("WRN_OverrideType5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Member conflicts with member in the base type and should be declared &apos;Shadows&apos;. '''</summary> Friend ReadOnly Property WRN_OverrideType5_Title() As String Get Return ResourceManager.GetString("WRN_OverrideType5_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of parameter &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_ParamNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_ParamNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type of parameter is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_ParamNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_ParamNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local name &apos;{0}&apos; is too long for PDB. Consider shortening or compiling without /debug.. '''</summary> Friend ReadOnly Property WRN_PdbLocalNameTooLong() As String Get Return ResourceManager.GetString("WRN_PdbLocalNameTooLong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Local name is too long for PDB. '''</summary> Friend ReadOnly Property WRN_PdbLocalNameTooLong_Title() As String Get Return ResourceManager.GetString("WRN_PdbLocalNameTooLong_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Import string &apos;{0}&apos; is too long for PDB. Consider shortening or compiling without /debug.. '''</summary> Friend ReadOnly Property WRN_PdbUsingNameTooLong() As String Get Return ResourceManager.GetString("WRN_PdbUsingNameTooLong", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Import string is too long for PDB. '''</summary> Friend ReadOnly Property WRN_PdbUsingNameTooLong_Title() As String Get Return ResourceManager.GetString("WRN_PdbUsingNameTooLong_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to It is not recommended to have attributes named xmlns. Did you mean to write &apos;xmlns:{0}&apos; to define a prefix named &apos;{0}&apos;?. '''</summary> Friend ReadOnly Property WRN_PrefixAndXmlnsLocalName() As String Get Return ResourceManager.GetString("WRN_PrefixAndXmlnsLocalName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to It is not recommended to have attributes named xmlns. '''</summary> Friend ReadOnly Property WRN_PrefixAndXmlnsLocalName_Title() As String Get Return ResourceManager.GetString("WRN_PrefixAndXmlnsLocalName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Return type of function &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_ProcTypeNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_ProcTypeNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Return type of function is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_ProcTypeNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_ProcTypeNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable is assumed to be of type Object because its type cannot be inferred. Use an &apos;As&apos; clause to specify a different type.. '''</summary> Friend ReadOnly Property WRN_QueryMissingAsClauseinVarDecl() As String Get Return ResourceManager.GetString("WRN_QueryMissingAsClauseinVarDecl", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range variable is assumed to be of type Object because its type cannot be inferred. '''</summary> Friend ReadOnly Property WRN_QueryMissingAsClauseinVarDecl_Title() As String Get Return ResourceManager.GetString("WRN_QueryMissingAsClauseinVarDecl_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement recursively calls the containing &apos;{0}&apos; for event &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_RecursiveAddHandlerCall() As String Get Return ResourceManager.GetString("WRN_RecursiveAddHandlerCall", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Statement recursively calls the event&apos;s containing AddHandler. '''</summary> Friend ReadOnly Property WRN_RecursiveAddHandlerCall_Title() As String Get Return ResourceManager.GetString("WRN_RecursiveAddHandlerCall_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression recursively calls the containing Operator &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_RecursiveOperatorCall() As String Get Return ResourceManager.GetString("WRN_RecursiveOperatorCall", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression recursively calls the containing Operator. '''</summary> Friend ReadOnly Property WRN_RecursiveOperatorCall_Title() As String Get Return ResourceManager.GetString("WRN_RecursiveOperatorCall_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression recursively calls the containing property &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_RecursivePropertyCall() As String Get Return ResourceManager.GetString("WRN_RecursivePropertyCall", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expression recursively calls the containing property. '''</summary> Friend ReadOnly Property WRN_RecursivePropertyCall_Title() As String Get Return ResourceManager.GetString("WRN_RecursivePropertyCall_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly &apos;{0}&apos; has different culture setting of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_RefCultureMismatch() As String Get Return ResourceManager.GetString("WRN_RefCultureMismatch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly has different culture setting. '''</summary> Friend ReadOnly Property WRN_RefCultureMismatch_Title() As String Get Return ResourceManager.GetString("WRN_RefCultureMismatch_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly &apos;{0}&apos; does not have a strong name.. '''</summary> Friend ReadOnly Property WRN_ReferencedAssemblyDoesNotHaveStrongName() As String Get Return ResourceManager.GetString("WRN_ReferencedAssemblyDoesNotHaveStrongName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Referenced assembly does not have a strong name. '''</summary> Friend ReadOnly Property WRN_ReferencedAssemblyDoesNotHaveStrongName_Title() As String Get Return ResourceManager.GetString("WRN_ReferencedAssemblyDoesNotHaveStrongName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;AddressOf&apos; expression has no effect in this context because the method argument to &apos;AddressOf&apos; requires a relaxed conversion to the delegate type of the event. Assign the &apos;AddressOf&apos; expression to a variable, and use the variable to add or remove the method as the handler.. '''</summary> Friend ReadOnly Property WRN_RelDelegatePassedToRemoveHandler() As String Get Return ResourceManager.GetString("WRN_RelDelegatePassedToRemoveHandler", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The &apos;AddressOf&apos; expression has no effect in this context because the method argument to &apos;AddressOf&apos; requires a relaxed conversion to the delegate type of the event. '''</summary> Friend ReadOnly Property WRN_RelDelegatePassedToRemoveHandler_Title() As String Get Return ResourceManager.GetString("WRN_RelDelegatePassedToRemoveHandler_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; should be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the &apos;{0}&apos; in the base class &apos;{1}&apos; of &apos;{2}&apos; is marked obsolete.. '''</summary> Friend ReadOnly Property WRN_RequiredNonObsoleteNewCall3() As String Get Return ResourceManager.GetString("WRN_RequiredNonObsoleteNewCall3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; should be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the constructor in the base class is marked obsolete. '''</summary> Friend ReadOnly Property WRN_RequiredNonObsoleteNewCall3_Title() As String Get Return ResourceManager.GetString("WRN_RequiredNonObsoleteNewCall3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; should be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the &apos;{0}&apos; in the base class &apos;{1}&apos; of &apos;{2}&apos; is marked obsolete: &apos;{3}&apos;. '''</summary> Friend ReadOnly Property WRN_RequiredNonObsoleteNewCall4() As String Get Return ResourceManager.GetString("WRN_RequiredNonObsoleteNewCall4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to First statement of this &apos;Sub New&apos; should be an explicit call to &apos;MyBase.New&apos; or &apos;MyClass.New&apos; because the constructor in the base class is marked obsolete. '''</summary> Friend ReadOnly Property WRN_RequiredNonObsoleteNewCall4_Title() As String Get Return ResourceManager.GetString("WRN_RequiredNonObsoleteNewCall4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attributes applied on a return type of a WriteOnly Property have no effect.. '''</summary> Friend ReadOnly Property WRN_ReturnTypeAttributeOnWriteOnlyProperty() As String Get Return ResourceManager.GetString("WRN_ReturnTypeAttributeOnWriteOnlyProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Attributes applied on a return type of a WriteOnly Property have no effect. '''</summary> Friend ReadOnly Property WRN_ReturnTypeAttributeOnWriteOnlyProperty_Title() As String Get Return ResourceManager.GetString("WRN_ReturnTypeAttributeOnWriteOnlyProperty_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Root namespace &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_RootNamespaceNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_RootNamespaceNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Root namespace is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_RootNamespaceNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_RootNamespaceNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Name &apos;{0}&apos; in the root namespace &apos;{1}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_RootNamespaceNotCLSCompliant2() As String Get Return ResourceManager.GetString("WRN_RootNamespaceNotCLSCompliant2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Part of the root namespace is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_RootNamespaceNotCLSCompliant2_Title() As String Get Return ResourceManager.GetString("WRN_RootNamespaceNotCLSCompliant2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range specified for &apos;Case&apos; statement is not valid. Make sure that the lower bound is less than or equal to the upper bound.. '''</summary> Friend ReadOnly Property WRN_SelectCaseInvalidRange() As String Get Return ResourceManager.GetString("WRN_SelectCaseInvalidRange", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Range specified for &apos;Case&apos; statement is not valid. '''</summary> Friend ReadOnly Property WRN_SelectCaseInvalidRange_Title() As String Get Return ResourceManager.GetString("WRN_SelectCaseInvalidRange_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter &apos;{0}&apos; has the same name as a type parameter of an enclosing type. Enclosing type&apos;s type parameter will be shadowed.. '''</summary> Friend ReadOnly Property WRN_ShadowingGenericParamWithParam1() As String Get Return ResourceManager.GetString("WRN_ShadowingGenericParamWithParam1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type parameter has the same name as a type parameter of an enclosing type. '''</summary> Friend ReadOnly Property WRN_ShadowingGenericParamWithParam1_Title() As String Get Return ResourceManager.GetString("WRN_ShadowingGenericParamWithParam1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Access of shared member, constant member, enum member or nested type through an instance; qualifying expression will not be evaluated.. '''</summary> Friend ReadOnly Property WRN_SharedMemberThroughInstance() As String Get Return ResourceManager.GetString("WRN_SharedMemberThroughInstance", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Access of shared member, constant member, enum member or nested type through an instance. '''</summary> Friend ReadOnly Property WRN_SharedMemberThroughInstance_Title() As String Get Return ResourceManager.GetString("WRN_SharedMemberThroughInstance_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Static variable declared without an &apos;As&apos; clause; type of Object assumed.. '''</summary> Friend ReadOnly Property WRN_StaticLocalNoInference() As String Get Return ResourceManager.GetString("WRN_StaticLocalNoInference", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Static variable declared without an &apos;As&apos; clause. '''</summary> Friend ReadOnly Property WRN_StaticLocalNoInference_Title() As String Get Return ResourceManager.GetString("WRN_StaticLocalNoInference_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; implicitly declares &apos;{2}&apos;, which conflicts with a member in the base {3} &apos;{4}&apos;, and so the {0} should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_SynthMemberShadowsMember5() As String Get Return ResourceManager.GetString("WRN_SynthMemberShadowsMember5", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property or event implicitly declares type or member that conflicts with a member in the base type. '''</summary> Friend ReadOnly Property WRN_SynthMemberShadowsMember5_Title() As String Get Return ResourceManager.GetString("WRN_SynthMemberShadowsMember5_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; implicitly declares &apos;{2}&apos;, which conflicts with a member implicitly declared for {3} &apos;{4}&apos; in the base {5} &apos;{6}&apos;. {0} should be declared &apos;Shadows&apos;.. '''</summary> Friend ReadOnly Property WRN_SynthMemberShadowsSynthMember7() As String Get Return ResourceManager.GetString("WRN_SynthMemberShadowsSynthMember7", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property or event implicitly declares member, which conflicts with a member implicitly declared for property or event in the base type. '''</summary> Friend ReadOnly Property WRN_SynthMemberShadowsSynthMember7_Title() As String Get Return ResourceManager.GetString("WRN_SynthMemberShadowsSynthMember7_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to {0} &apos;{1}&apos; and partial {2} &apos;{3}&apos; conflict in {4} &apos;{5}&apos;, but are being merged because one of them is declared partial.. '''</summary> Friend ReadOnly Property WRN_TypeConflictButMerged6() As String Get Return ResourceManager.GetString("WRN_TypeConflictButMerged6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type and partial type conflict, but are being merged because one of them is declared partial. '''</summary> Friend ReadOnly Property WRN_TypeConflictButMerged6_Title() As String Get Return ResourceManager.GetString("WRN_TypeConflictButMerged6_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type of &apos;{0}&apos; in &apos;{1}&apos; could not be inferred. &apos;{2}&apos; assumed.. '''</summary> Friend ReadOnly Property WRN_TypeInferenceAssumed3() As String Get Return ResourceManager.GetString("WRN_TypeInferenceAssumed3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Data type could not be inferred. '''</summary> Friend ReadOnly Property WRN_TypeInferenceAssumed3_Title() As String Get Return ResourceManager.GetString("WRN_TypeInferenceAssumed3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type &apos;{0}&apos; is not CLS-compliant.. '''</summary> Friend ReadOnly Property WRN_TypeNotCLSCompliant1() As String Get Return ResourceManager.GetString("WRN_TypeNotCLSCompliant1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type is not CLS-compliant. '''</summary> Friend ReadOnly Property WRN_TypeNotCLSCompliant1_Title() As String Get Return ResourceManager.GetString("WRN_TypeNotCLSCompliant1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to load analyzer assembly {0} : {1}.. '''</summary> Friend ReadOnly Property WRN_UnableToLoadAnalyzer() As String Get Return ResourceManager.GetString("WRN_UnableToLoadAnalyzer", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to load analyzer assembly. '''</summary> Friend ReadOnly Property WRN_UnableToLoadAnalyzer_Title() As String Get Return ResourceManager.GetString("WRN_UnableToLoadAnalyzer_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace or type specified in the Imports &apos;{0}&apos; doesn&apos;t contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn&apos;t use any aliases.. '''</summary> Friend ReadOnly Property WRN_UndefinedOrEmptyNamespaceOrClass1() As String Get Return ResourceManager.GetString("WRN_UndefinedOrEmptyNamespaceOrClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace or type specified in Imports statement doesn&apos;t contain any public member or cannot be found. '''</summary> Friend ReadOnly Property WRN_UndefinedOrEmptyNamespaceOrClass1_Title() As String Get Return ResourceManager.GetString("WRN_UndefinedOrEmptyNamespaceOrClass1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace or type specified in the project-level Imports &apos;{0}&apos; doesn&apos;t contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn&apos;t use any aliases.. '''</summary> Friend ReadOnly Property WRN_UndefinedOrEmptyProjectNamespaceOrClass1() As String Get Return ResourceManager.GetString("WRN_UndefinedOrEmptyProjectNamespaceOrClass1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Namespace or type imported at project level doesn&apos;t contain any public member or cannot be found. '''</summary> Friend ReadOnly Property WRN_UndefinedOrEmptyProjectNamespaceOrClass1_Title() As String Get Return ResourceManager.GetString("WRN_UndefinedOrEmptyProjectNamespaceOrClass1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The command line switch &apos;{0}&apos; is not yet implemented and was ignored.. '''</summary> Friend ReadOnly Property WRN_UnimplementedCommandLineSwitch() As String Get Return ResourceManager.GetString("WRN_UnimplementedCommandLineSwitch", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Command line switch is not yet implemented. '''</summary> Friend ReadOnly Property WRN_UnimplementedCommandLineSwitch_Title() As String Get Return ResourceManager.GetString("WRN_UnimplementedCommandLineSwitch_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The Task returned from this Async Function will be dropped, and any exceptions in it ignored. Consider changing it to an Async Sub so its exceptions are propagated.. '''</summary> Friend ReadOnly Property WRN_UnobservedAwaitableDelegate() As String Get Return ResourceManager.GetString("WRN_UnobservedAwaitableDelegate", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to The Task returned from this Async Function will be dropped, and any exceptions in it ignored. '''</summary> Friend ReadOnly Property WRN_UnobservedAwaitableDelegate_Title() As String Get Return ResourceManager.GetString("WRN_UnobservedAwaitableDelegate_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Because this call is not awaited, execution of the current method continues before the call is completed. Consider applying the Await operator to the result of the call.. '''</summary> Friend ReadOnly Property WRN_UnobservedAwaitableExpression() As String Get Return ResourceManager.GetString("WRN_UnobservedAwaitableExpression", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Because this call is not awaited, execution of the current method continues before the call is completed. '''</summary> Friend ReadOnly Property WRN_UnobservedAwaitableExpression_Title() As String Get Return ResourceManager.GetString("WRN_UnobservedAwaitableExpression_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unreachable code detected.. '''</summary> Friend ReadOnly Property WRN_UnreachableCode() As String Get Return ResourceManager.GetString("WRN_UnreachableCode", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unreachable code detected. '''</summary> Friend ReadOnly Property WRN_UnreachableCode_Title() As String Get Return ResourceManager.GetString("WRN_UnreachableCode_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused local variable: &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_UnusedLocal() As String Get Return ResourceManager.GetString("WRN_UnusedLocal", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused local variable. '''</summary> Friend ReadOnly Property WRN_UnusedLocal_Title() As String Get Return ResourceManager.GetString("WRN_UnusedLocal_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused local constant: &apos;{0}&apos;.. '''</summary> Friend ReadOnly Property WRN_UnusedLocalConst() As String Get Return ResourceManager.GetString("WRN_UnusedLocalConst", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unused local constant. '''</summary> Friend ReadOnly Property WRN_UnusedLocalConst_Title() As String Get Return ResourceManager.GetString("WRN_UnusedLocalConst_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; accessor of &apos;{1}&apos; is obsolete.. '''</summary> Friend ReadOnly Property WRN_UseOfObsoletePropertyAccessor2() As String Get Return ResourceManager.GetString("WRN_UseOfObsoletePropertyAccessor2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property accessor is obsolete. '''</summary> Friend ReadOnly Property WRN_UseOfObsoletePropertyAccessor2_Title() As String Get Return ResourceManager.GetString("WRN_UseOfObsoletePropertyAccessor2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; accessor of &apos;{1}&apos; is obsolete: &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property WRN_UseOfObsoletePropertyAccessor3() As String Get Return ResourceManager.GetString("WRN_UseOfObsoletePropertyAccessor3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Property accessor is obsolete. '''</summary> Friend ReadOnly Property WRN_UseOfObsoletePropertyAccessor3_Title() As String Get Return ResourceManager.GetString("WRN_UseOfObsoletePropertyAccessor3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is obsolete: &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_UseOfObsoleteSymbol2() As String Get Return ResourceManager.GetString("WRN_UseOfObsoleteSymbol2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type or member is obsolete. '''</summary> Friend ReadOnly Property WRN_UseOfObsoleteSymbol2_Title() As String Get Return ResourceManager.GetString("WRN_UseOfObsoleteSymbol2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; is obsolete.. '''</summary> Friend ReadOnly Property WRN_UseOfObsoleteSymbolNoMessage1() As String Get Return ResourceManager.GetString("WRN_UseOfObsoleteSymbolNoMessage1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type or member is obsolete. '''</summary> Friend ReadOnly Property WRN_UseOfObsoleteSymbolNoMessage1_Title() As String Get Return ResourceManager.GetString("WRN_UseOfObsoleteSymbolNoMessage1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Use command-line option &apos;{0}&apos; or appropriate project settings instead of &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_UseSwitchInsteadOfAttribute() As String Get Return ResourceManager.GetString("WRN_UseSwitchInsteadOfAttribute", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Use command-line option /keyfile, /keycontainer, or /delaysign instead of AssemblyKeyFileAttribute, AssemblyKeyNameAttribute, or AssemblyDelaySignAttribute. '''</summary> Friend ReadOnly Property WRN_UseSwitchInsteadOfAttribute_Title() As String Get Return ResourceManager.GetString("WRN_UseSwitchInsteadOfAttribute_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot convert &apos;{0}&apos; to &apos;{1}&apos;. You can use the &apos;Value&apos; property to get the string value of the first element of &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property WRN_UseValueForXmlExpression3() As String Get Return ResourceManager.GetString("WRN_UseValueForXmlExpression3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Cannot convert IEnumerable(Of XElement) to String. '''</summary> Friend ReadOnly Property WRN_UseValueForXmlExpression3_Title() As String Get Return ResourceManager.GetString("WRN_UseValueForXmlExpression3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion from &apos;{4}&apos; to &apos;{5}&apos;; this conversion may fail because &apos;{0}&apos; is not derived from &apos;{1}&apos;, as required for the &apos;In&apos; generic parameter &apos;{2}&apos; in &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedIn6() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedIn6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for &apos;In&apos; generic parameter. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedIn6_Title() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedIn6_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion from &apos;{4}&apos; to &apos;{5}&apos;; this conversion may fail because &apos;{0}&apos; is not derived from &apos;{1}&apos;, as required for the &apos;Out&apos; generic parameter &apos;{2}&apos; in &apos;{3}&apos;.. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedOut6() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedOut6", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for &apos;Out&apos; generic parameter. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedOut6_Title() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedOut6_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider changing the &apos;{2}&apos; in the definition of &apos;{3}&apos; to an In type parameter, &apos;In {2}&apos;.. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedTryIn4() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedTryIn4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type cannot be converted to target type. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedTryIn4_Title() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedTryIn4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider changing the &apos;{2}&apos; in the definition of &apos;{3}&apos; to an Out type parameter, &apos;Out {2}&apos;.. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedTryOut4() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedTryOut4", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type cannot be converted to target type. '''</summary> Friend ReadOnly Property WRN_VarianceConversionFailedTryOut4_Title() As String Get Return ResourceManager.GetString("WRN_VarianceConversionFailedTryOut4_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface &apos;{0}&apos; is ambiguous with another implemented interface &apos;{1}&apos; due to the &apos;In&apos; and &apos;Out&apos; parameters in &apos;{2}&apos;.. '''</summary> Friend ReadOnly Property WRN_VarianceDeclarationAmbiguous3() As String Get Return ResourceManager.GetString("WRN_VarianceDeclarationAmbiguous3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Interface is ambiguous with another implemented interface due to &apos;In&apos; and &apos;Out&apos; parameters. '''</summary> Friend ReadOnly Property WRN_VarianceDeclarationAmbiguous3_Title() As String Get Return ResourceManager.GetString("WRN_VarianceDeclarationAmbiguous3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to &apos;{0}&apos; cannot be converted to &apos;{1}&apos;. Consider using &apos;{2}&apos; instead.. '''</summary> Friend ReadOnly Property WRN_VarianceIEnumerableSuggestion3() As String Get Return ResourceManager.GetString("WRN_VarianceIEnumerableSuggestion3", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Type cannot be converted to target collection type. '''</summary> Friend ReadOnly Property WRN_VarianceIEnumerableSuggestion3_Title() As String Get Return ResourceManager.GetString("WRN_VarianceIEnumerableSuggestion3_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to create XML documentation file &apos;{0}&apos;: {1}. '''</summary> Friend ReadOnly Property WRN_XMLCannotWriteToXMLDocFile2() As String Get Return ResourceManager.GetString("WRN_XMLCannotWriteToXMLDocFile2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to create XML documentation file. '''</summary> Friend ReadOnly Property WRN_XMLCannotWriteToXMLDocFile2_Title() As String Get Return ResourceManager.GetString("WRN_XMLCannotWriteToXMLDocFile2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to include XML fragment &apos;{1}&apos; of file &apos;{0}&apos;. {2}. '''</summary> Friend ReadOnly Property WRN_XMLDocBadFormedXML() As String Get Return ResourceManager.GetString("WRN_XMLDocBadFormedXML", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to include XML fragment. '''</summary> Friend ReadOnly Property WRN_XMLDocBadFormedXML_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocBadFormedXML_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment type parameter &apos;{0}&apos; does not match a type parameter on the corresponding &apos;{1}&apos; statement.. '''</summary> Friend ReadOnly Property WRN_XMLDocBadGenericParamTag2() As String Get Return ResourceManager.GetString("WRN_XMLDocBadGenericParamTag2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment type parameter does not match a type parameter on the corresponding declaration statement. '''</summary> Friend ReadOnly Property WRN_XMLDocBadGenericParamTag2_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocBadGenericParamTag2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment parameter &apos;{0}&apos; does not match a parameter on the corresponding &apos;{1}&apos; statement.. '''</summary> Friend ReadOnly Property WRN_XMLDocBadParamTag2() As String Get Return ResourceManager.GetString("WRN_XMLDocBadParamTag2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment parameter does not match a parameter on the corresponding declaration statement. '''</summary> Friend ReadOnly Property WRN_XMLDocBadParamTag2_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocBadParamTag2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment block must immediately precede the language element to which it applies. XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocBadXMLLine() As String Get Return ResourceManager.GetString("WRN_XMLDocBadXMLLine", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment block must immediately precede the language element to which it applies. '''</summary> Friend ReadOnly Property WRN_XMLDocBadXMLLine_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocBadXMLLine_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment has a tag with a &apos;cref&apos; attribute &apos;{0}&apos; that could not be resolved.. '''</summary> Friend ReadOnly Property WRN_XMLDocCrefAttributeNotFound1() As String Get Return ResourceManager.GetString("WRN_XMLDocCrefAttributeNotFound1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment has a tag with a &apos;cref&apos; attribute that could not be resolved. '''</summary> Friend ReadOnly Property WRN_XMLDocCrefAttributeNotFound1_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocCrefAttributeNotFound1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment has a tag with a &apos;cref&apos; attribute &apos;{0}&apos; that bound to a type parameter. Use the &lt;typeparamref&gt; tag instead.. '''</summary> Friend ReadOnly Property WRN_XMLDocCrefToTypeParameter() As String Get Return ResourceManager.GetString("WRN_XMLDocCrefToTypeParameter", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment has a tag with a &apos;cref&apos; attribute that bound to a type parameter. '''</summary> Friend ReadOnly Property WRN_XMLDocCrefToTypeParameter_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocCrefToTypeParameter_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;{0}&apos; appears with identical attributes more than once in the same XML comment block.. '''</summary> Friend ReadOnly Property WRN_XMLDocDuplicateXMLNode1() As String Get Return ResourceManager.GetString("WRN_XMLDocDuplicateXMLNode1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag appears with identical attributes more than once in the same XML comment block. '''</summary> Friend ReadOnly Property WRN_XMLDocDuplicateXMLNode1_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocDuplicateXMLNode1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment exception must have a &apos;cref&apos; attribute.. '''</summary> Friend ReadOnly Property WRN_XMLDocExceptionTagWithoutCRef() As String Get Return ResourceManager.GetString("WRN_XMLDocExceptionTagWithoutCRef", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment exception must have a &apos;cref&apos; attribute. '''</summary> Friend ReadOnly Property WRN_XMLDocExceptionTagWithoutCRef_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocExceptionTagWithoutCRef_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment type parameter must have a &apos;name&apos; attribute.. '''</summary> Friend ReadOnly Property WRN_XMLDocGenericParamTagWithoutName() As String Get Return ResourceManager.GetString("WRN_XMLDocGenericParamTagWithoutName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment type parameter must have a &apos;name&apos; attribute. '''</summary> Friend ReadOnly Property WRN_XMLDocGenericParamTagWithoutName_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocGenericParamTagWithoutName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;{0}&apos; is not permitted on a &apos;{1}&apos; language element.. '''</summary> Friend ReadOnly Property WRN_XMLDocIllegalTagOnElement2() As String Get Return ResourceManager.GetString("WRN_XMLDocIllegalTagOnElement2", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag is not permitted on language element. '''</summary> Friend ReadOnly Property WRN_XMLDocIllegalTagOnElement2_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocIllegalTagOnElement2_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment cannot appear within a method or a property. XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocInsideMethod() As String Get Return ResourceManager.GetString("WRN_XMLDocInsideMethod", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment cannot appear within a method or a property. '''</summary> Friend ReadOnly Property WRN_XMLDocInsideMethod_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocInsideMethod_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to include XML fragment &apos;{0}&apos; of file &apos;{1}&apos;.. '''</summary> Friend ReadOnly Property WRN_XMLDocInvalidXMLFragment() As String Get Return ResourceManager.GetString("WRN_XMLDocInvalidXMLFragment", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Unable to include XML fragment. '''</summary> Friend ReadOnly Property WRN_XMLDocInvalidXMLFragment_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocInvalidXMLFragment_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Only one XML comment block is allowed per language element.. '''</summary> Friend ReadOnly Property WRN_XMLDocMoreThanOneCommentBlock() As String Get Return ResourceManager.GetString("WRN_XMLDocMoreThanOneCommentBlock", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Only one XML comment block is allowed per language element. '''</summary> Friend ReadOnly Property WRN_XMLDocMoreThanOneCommentBlock_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocMoreThanOneCommentBlock_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment must be the first statement on a line. XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocNotFirstOnLine() As String Get Return ResourceManager.GetString("WRN_XMLDocNotFirstOnLine", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment must be the first statement on a line. '''</summary> Friend ReadOnly Property WRN_XMLDocNotFirstOnLine_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocNotFirstOnLine_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment cannot be applied more than once on a partial {0}. XML comments for this {0} will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocOnAPartialType() As String Get Return ResourceManager.GetString("WRN_XMLDocOnAPartialType", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment cannot be applied more than once on a partial type. '''</summary> Friend ReadOnly Property WRN_XMLDocOnAPartialType_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocOnAPartialType_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment parameter must have a &apos;name&apos; attribute.. '''</summary> Friend ReadOnly Property WRN_XMLDocParamTagWithoutName() As String Get Return ResourceManager.GetString("WRN_XMLDocParamTagWithoutName", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment parameter must have a &apos;name&apos; attribute. '''</summary> Friend ReadOnly Property WRN_XMLDocParamTagWithoutName_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocParamTagWithoutName_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation parse error: {0} XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocParseError1() As String Get Return ResourceManager.GetString("WRN_XMLDocParseError1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation parse error. '''</summary> Friend ReadOnly Property WRN_XMLDocParseError1_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocParseError1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;returns&apos; is not permitted on a &apos;declare sub&apos; language element.. '''</summary> Friend ReadOnly Property WRN_XMLDocReturnsOnADeclareSub() As String Get Return ResourceManager.GetString("WRN_XMLDocReturnsOnADeclareSub", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;returns&apos; is not permitted on a &apos;declare sub&apos; language element. '''</summary> Friend ReadOnly Property WRN_XMLDocReturnsOnADeclareSub_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocReturnsOnADeclareSub_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;returns&apos; is not permitted on a &apos;WriteOnly&apos; Property.. '''</summary> Friend ReadOnly Property WRN_XMLDocReturnsOnWriteOnlyProperty() As String Get Return ResourceManager.GetString("WRN_XMLDocReturnsOnWriteOnlyProperty", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;returns&apos; is not permitted on a &apos;WriteOnly&apos; Property. '''</summary> Friend ReadOnly Property WRN_XMLDocReturnsOnWriteOnlyProperty_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocReturnsOnWriteOnlyProperty_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation parse error: Start tag &apos;{0}&apos; doesn&apos;t have a matching end tag. XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLDocStartTagWithNoEndTag() As String Get Return ResourceManager.GetString("WRN_XMLDocStartTagWithNoEndTag", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation parse error: Start tag doesn&apos;t have a matching end tag. '''</summary> Friend ReadOnly Property WRN_XMLDocStartTagWithNoEndTag_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocStartTagWithNoEndTag_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation comments must precede member or type declarations.. '''</summary> Friend ReadOnly Property WRN_XMLDocWithoutLanguageElement() As String Get Return ResourceManager.GetString("WRN_XMLDocWithoutLanguageElement", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML documentation comments must precede member or type declarations. '''</summary> Friend ReadOnly Property WRN_XMLDocWithoutLanguageElement_Title() As String Get Return ResourceManager.GetString("WRN_XMLDocWithoutLanguageElement_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;include&apos; must have a &apos;{0}&apos; attribute. XML comment will be ignored.. '''</summary> Friend ReadOnly Property WRN_XMLMissingFileOrPathAttribute1() As String Get Return ResourceManager.GetString("WRN_XMLMissingFileOrPathAttribute1", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to XML comment tag &apos;include&apos; must have &apos;file&apos; and &apos;path&apos; attributes. '''</summary> Friend ReadOnly Property WRN_XMLMissingFileOrPathAttribute1_Title() As String Get Return ResourceManager.GetString("WRN_XMLMissingFileOrPathAttribute1_Title", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Wrong number of type arguments. '''</summary> Friend ReadOnly Property WrongNumberOfTypeArguments() As String Get Return ResourceManager.GetString("WrongNumberOfTypeArguments", resourceCulture) End Get End Property '''<summary> ''' Looks up a localized string similar to Expected a {0} SemanticModel.. '''</summary> Friend ReadOnly Property WrongSemanticModelType() As String Get Return ResourceManager.GetString("WrongSemanticModelType", resourceCulture) End Get End Property End Module End Namespace
{ "content_hash": "efe6a870f34ae54ac785b4dc84326331", "timestamp": "", "source": "github", "line_count": 15342, "max_line_length": 427, "avg_line_length": 46.733998174944595, "alnum_prop": 0.6211971386052584, "repo_name": "Shiney/roslyn", "id": "be4aa5fc49e58449c27ab476a2bf6a5fd28b55b1", "size": "716995", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Compilers/VisualBasic/Portable/VBResources.Designer.vb", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "15866" }, { "name": "C#", "bytes": "82456101" }, { "name": "C++", "bytes": "4865" }, { "name": "F#", "bytes": "3632" }, { "name": "Groovy", "bytes": "7564" }, { "name": "Makefile", "bytes": "3606" }, { "name": "PowerShell", "bytes": "55019" }, { "name": "Shell", "bytes": "7239" }, { "name": "Visual Basic", "bytes": "61718026" } ], "symlink_target": "" }
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (version 1.7.0_65) on Wed Dec 10 00:35:58 EST 2014 --> <meta http-equiv="Content-Type" content="text/html" charset="utf-8"> <title>Uses of Class org.apache.solr.common.params.TermsParams.TermsRegexpFlag (Solr 4.10.3 API)</title> <meta name="date" content="2014-12-10"> <link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style"> </head> <body> <script type="text/javascript"><!-- if (location.href.indexOf('is-external=true') == -1) { parent.document.title="Uses of Class org.apache.solr.common.params.TermsParams.TermsRegexpFlag (Solr 4.10.3 API)"; } //--> </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar_top"> <!-- --> </a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/apache/solr/common/params/class-use/TermsParams.TermsRegexpFlag.html" target="_top">Frames</a></li> <li><a href="TermsParams.TermsRegexpFlag.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <div class="header"> <h2 title="Uses of Class org.apache.solr.common.params.TermsParams.TermsRegexpFlag" class="title">Uses of Class<br>org.apache.solr.common.params.TermsParams.TermsRegexpFlag</h2> </div> <div class="classUseContainer"> <ul class="blockList"> <li class="blockList"> <table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing packages, and an explanation"> <caption><span>Packages that use <a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">TermsParams.TermsRegexpFlag</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Package</th> <th class="colLast" scope="col">Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><a href="#org.apache.solr.common.params">org.apache.solr.common.params</a></td> <td class="colLast"> <div class="block">Parameter constants and enumerations.</div> </td> </tr> </tbody> </table> </li> <li class="blockList"> <ul class="blockList"> <li class="blockList"><a name="org.apache.solr.common.params"> <!-- --> </a> <h3>Uses of <a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">TermsParams.TermsRegexpFlag</a> in <a href="../../../../../../org/apache/solr/common/params/package-summary.html">org.apache.solr.common.params</a></h3> <table border="0" cellpadding="3" cellspacing="0" summary="Use table, listing methods, and an explanation"> <caption><span>Methods in <a href="../../../../../../org/apache/solr/common/params/package-summary.html">org.apache.solr.common.params</a> that return <a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">TermsParams.TermsRegexpFlag</a></span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tbody> <tr class="altColor"> <td class="colFirst"><code>static <a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">TermsParams.TermsRegexpFlag</a></code></td> <td class="colLast"><span class="strong">TermsParams.TermsRegexpFlag.</span><code><strong><a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html#valueOf(java.lang.String)">valueOf</a></strong>(<a href="http://download.oracle.com/javase/7/docs/api/java/lang/String.html?is-external=true" title="class or interface in java.lang">String</a>&nbsp;name)</code> <div class="block">Returns the enum constant of this type with the specified name.</div> </td> </tr> <tr class="rowColor"> <td class="colFirst"><code>static <a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">TermsParams.TermsRegexpFlag</a>[]</code></td> <td class="colLast"><span class="strong">TermsParams.TermsRegexpFlag.</span><code><strong><a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html#values()">values</a></strong>()</code> <div class="block">Returns an array containing the constants of this enum type, in the order they are declared.</div> </td> </tr> </tbody> </table> </li> </ul> </li> </ul> </div> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar_bottom"> <!-- --> </a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="navbar_bottom_firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../../../../overview-summary.html">Overview</a></li> <li><a href="../package-summary.html">Package</a></li> <li><a href="../../../../../../org/apache/solr/common/params/TermsParams.TermsRegexpFlag.html" title="enum in org.apache.solr.common.params">Class</a></li> <li class="navBarCell1Rev">Use</li> <li><a href="../package-tree.html">Tree</a></li> <li><a href="../../../../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev</li> <li>Next</li> </ul> <ul class="navList"> <li><a href="../../../../../../index.html?org/apache/solr/common/params/class-use/TermsParams.TermsRegexpFlag.html" target="_top">Frames</a></li> <li><a href="TermsParams.TermsRegexpFlag.html" target="_top">No Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../../../../allclasses-noframe.html">All Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <a name="skip-navbar_bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> <p class="legalCopy"><small> <i>Copyright &copy; 2000-2014 Apache Software Foundation. All Rights Reserved.</i> <script src='../../../../../../prettify.js' type='text/javascript'></script> <script type='text/javascript'> (function(){ var oldonload = window.onload; if (typeof oldonload != 'function') { window.onload = prettyPrint; } else { window.onload = function() { oldonload(); prettyPrint(); } } })(); </script> </small></p> </body> </html>
{ "content_hash": "18bc4f366274b839e820ba1f5a875266", "timestamp": "", "source": "github", "line_count": 182, "max_line_length": 390, "avg_line_length": 45.5989010989011, "alnum_prop": 0.6257380407277985, "repo_name": "71D3R/datos", "id": "a8b27229e4b44440668d6664c9b9a191b68e3bb8", "size": "8299", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "solr-4.10.3/docs/solr-solrj/org/apache/solr/common/params/class-use/TermsParams.TermsRegexpFlag.html", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "13815" }, { "name": "CSS", "bytes": "351198" }, { "name": "HTML", "bytes": "48540758" }, { "name": "JavaScript", "bytes": "1245473" }, { "name": "Shell", "bytes": "104672" }, { "name": "XSLT", "bytes": "383925" } ], "symlink_target": "" }
require 'concurrent/promises' module Concurrent module Promises class Future < AbstractEventFuture # @!macro warn.edge module ActorIntegration # Asks the actor with its value. # @return [Future] new future with the response form the actor def then_ask(actor) self.then(actor) { |v, a| a.ask_op(v) }.flat end end include ActorIntegration # @!macro warn.edge module FlatShortcuts # @return [Future] def then_flat_future(*args, &block) self.then(*args, &block).flat_future end alias_method :then_flat, :then_flat_future # @return [Future] def then_flat_future_on(executor, *args, &block) self.then_on(executor, *args, &block).flat_future end alias_method :then_flat_on, :then_flat_future_on # @return [Event] def then_flat_event(*args, &block) self.then(*args, &block).flat_event end # @return [Event] def then_flat_event_on(executor, *args, &block) self.then_on(executor, *args, &block).flat_event end end include FlatShortcuts end class Future < AbstractEventFuture # @!macro warn.edge module NewChannelIntegration # @param [Channel] channel to push to. # @return [Future] a future which is fulfilled after the message is pushed to the channel. # May take a moment if the channel is full. def then_channel_push(channel) self.then(channel) { |value, ch| ch.push_op value }.flat_future end end include NewChannelIntegration end module FactoryMethods # @!macro promises.shortcut.on # @return [Future] # @!macro warn.edge def zip_futures_over(enumerable, &future_factory) zip_futures_over_on default_executor, enumerable, &future_factory end # Creates new future which is resolved after all the futures created by future_factory from # enumerable elements are resolved. Simplified it does: # `zip(*enumerable.map { |e| future e, &future_factory })` # @example # # `#succ` calls are executed in parallel # zip_futures_over_on(:io, [1, 2], &:succ).value! # => [2, 3] # # @!macro promises.param.default_executor # @param [Enumerable] enumerable # @yield a task to be executed in future # @yieldparam [Object] element from enumerable # @yieldreturn [Object] a value of the future # @return [Future] # @!macro warn.edge def zip_futures_over_on(default_executor, enumerable, &future_factory) # ZipFuturesPromise.new_blocked_by(futures_and_or_events, default_executor).future zip_futures_on(default_executor, *enumerable.map { |e| future e, &future_factory }) end end module Resolvable include InternalStates # Reserves the event or future, if reserved others are prevented from resolving it. # Advanced feature. # Be careful about the order of reservation to avoid deadlocks, # the method blocks if the future or event is already reserved # until it is released or resolved. # # @example # f = Concurrent::Promises.resolvable_future # reserved = f.reserve # Thread.new { f.resolve true, :val, nil } # fails # f.resolve true, :val, nil, true if reserved # must be called only if reserved # @return [true, false] on successful reservation def reserve while true return true if compare_and_set_internal_state(PENDING, RESERVED) return false if resolved? # FIXME (pitr-ch 17-Jan-2019): sleep until given up or resolved instead of busy wait Thread.pass end end # @return [true, false] on successful release of the reservation def release compare_and_set_internal_state(RESERVED, PENDING) end # @return [Comparable] an item to sort the resolvable events or futures # by to get the right global locking order of resolvable events or futures # @see .atomic_resolution def self.locking_order_by(resolvable) resolvable.object_id end # Resolves all passed events and futures to the given resolutions # if possible (all are unresolved) or none. # # @param [Hash{Resolvable=>resolve_arguments}, Array<Array(Resolvable, resolve_arguments)>] resolvable_map # collection of resolvable events and futures which should be resolved all at once # and what should they be resolved to, examples: # ```ruby # { a_resolvable_future1 => [true, :val, nil], # a_resolvable_future2 => [false, nil, :err], # a_resolvable_event => [] } # ``` # or # ```ruby # [[a_resolvable_future1, [true, :val, nil]], # [a_resolvable_future2, [false, nil, :err]], # [a_resolvable_event, []]] # ``` # @return [true, false] if success def self.atomic_resolution(resolvable_map) # atomic_resolution event => [], future => [true, :v, nil] sorted = resolvable_map.to_a.sort_by { |resolvable, _| locking_order_by resolvable } reserved = 0 while reserved < sorted.size && sorted[reserved].first.reserve reserved += 1 end if reserved == sorted.size sorted.each { |resolvable, args| resolvable.resolve(*args, true, true) } true else while reserved > 0 reserved -= 1 raise 'has to be reserved' unless sorted[reserved].first.release end false end end end end end
{ "content_hash": "70656ab1e6e808638520580eab7d414e", "timestamp": "", "source": "github", "line_count": 172, "max_line_length": 112, "avg_line_length": 33.44186046511628, "alnum_prop": 0.6088317107093185, "repo_name": "lucasallan/concurrent-ruby", "id": "1a9487cd55aee141f2bdf2c1e0579a87e2afd971", "size": "5810", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "lib/concurrent-ruby-edge/concurrent/edge/promises.rb", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "10947" }, { "name": "CSS", "bytes": "2150" }, { "name": "HTML", "bytes": "640" }, { "name": "Java", "bytes": "402083" }, { "name": "Ruby", "bytes": "1144399" }, { "name": "Shell", "bytes": "585" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <ScrollView xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent" android:background="@android:color/white"> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:orientation="vertical"> <TextView android:id="@+id/tv_title" android:layout_width="match_parent" android:layout_height="50dp" android:background="@color/colorPrimary" android:ellipsize="end" android:gravity="center" android:singleLine="true" android:textColor="@android:color/white" android:textSize="20dp"/> <TextView android:id="@+id/tv_message" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginBottom="10dp" android:layout_marginLeft="5dp" android:layout_marginRight="5dp" android:layout_marginTop="10dp" android:textColor="@color/grey900" android:textSize="16dp"/> <LinearLayout android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginBottom="5dp" android:layout_marginLeft="5dp" android:layout_marginRight="5dp" android:orientation="horizontal"> <Button android:id="@+id/bt_cancel" android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" android:text="@string/cancel" android:textColor="@color/grey900" android:textSize="16dp"/> <Button android:id="@+id/bt_copy" android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" android:text="@string/copy" android:textColor="@color/grey900" android:textSize="16dp"/> <Button android:id="@+id/bt_ok" android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" android:text="@string/ok" android:textColor="@color/grey900" android:textSize="16dp"/> </LinearLayout> </LinearLayout> </ScrollView>
{ "content_hash": "7dc89098b05e54226d25a381f3d429cb", "timestamp": "", "source": "github", "line_count": 72, "max_line_length": 70, "avg_line_length": 36.22222222222222, "alnum_prop": 0.5506134969325154, "repo_name": "Catherine22/WebServices", "id": "f84714ea86dbf8b52a662e1aeb8a0f11f291bc87", "size": "2608", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "WebServices/app/src/main/res/layout/dialog_text.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "16230" }, { "name": "Java", "bytes": "729203" }, { "name": "Kotlin", "bytes": "45785" } ], "symlink_target": "" }
/* * DO NOT EDIT. THIS FILE IS GENERATED FROM ../../../dist/idl\nsILoadGroup.idl */ #ifndef __gen_nsILoadGroup_h__ #define __gen_nsILoadGroup_h__ #ifndef __gen_nsIRequest_h__ #include "nsIRequest.h" #endif /* For IDL files that don't want to include root IDL files. */ #ifndef NS_NO_VTABLE #define NS_NO_VTABLE #endif class nsISimpleEnumerator; /* forward declaration */ class nsIRequestObserver; /* forward declaration */ class nsIInterfaceRequestor; /* forward declaration */ class nsILoadGroupConnectionInfo; /* forward declaration */ typedef uint32_t nsLoadFlags; /* starting interface: nsILoadGroup */ #define NS_ILOADGROUP_IID_STR "afb57ac2-bce5-4ee3-bb34-385089a9ba5c" #define NS_ILOADGROUP_IID \ {0xafb57ac2, 0xbce5, 0x4ee3, \ { 0xbb, 0x34, 0x38, 0x50, 0x89, 0xa9, 0xba, 0x5c }} class NS_NO_VTABLE nsILoadGroup : public nsIRequest { public: NS_DECLARE_STATIC_IID_ACCESSOR(NS_ILOADGROUP_IID) /* attribute nsIRequestObserver groupObserver; */ NS_IMETHOD GetGroupObserver(nsIRequestObserver * *aGroupObserver) = 0; NS_IMETHOD SetGroupObserver(nsIRequestObserver *aGroupObserver) = 0; /* attribute nsIRequest defaultLoadRequest; */ NS_IMETHOD GetDefaultLoadRequest(nsIRequest * *aDefaultLoadRequest) = 0; NS_IMETHOD SetDefaultLoadRequest(nsIRequest *aDefaultLoadRequest) = 0; /* void addRequest (in nsIRequest aRequest, in nsISupports aContext); */ NS_IMETHOD AddRequest(nsIRequest *aRequest, nsISupports *aContext) = 0; /* void removeRequest (in nsIRequest aRequest, in nsISupports aContext, in nsresult aStatus); */ NS_IMETHOD RemoveRequest(nsIRequest *aRequest, nsISupports *aContext, nsresult aStatus) = 0; /* readonly attribute nsISimpleEnumerator requests; */ NS_IMETHOD GetRequests(nsISimpleEnumerator * *aRequests) = 0; /* readonly attribute unsigned long activeCount; */ NS_IMETHOD GetActiveCount(uint32_t *aActiveCount) = 0; /* attribute nsIInterfaceRequestor notificationCallbacks; */ NS_IMETHOD GetNotificationCallbacks(nsIInterfaceRequestor * *aNotificationCallbacks) = 0; NS_IMETHOD SetNotificationCallbacks(nsIInterfaceRequestor *aNotificationCallbacks) = 0; /* readonly attribute nsILoadGroupConnectionInfo connectionInfo; */ NS_IMETHOD GetConnectionInfo(nsILoadGroupConnectionInfo * *aConnectionInfo) = 0; /* attribute nsLoadFlags defaultLoadFlags; */ NS_IMETHOD GetDefaultLoadFlags(nsLoadFlags *aDefaultLoadFlags) = 0; NS_IMETHOD SetDefaultLoadFlags(nsLoadFlags aDefaultLoadFlags) = 0; }; NS_DEFINE_STATIC_IID_ACCESSOR(nsILoadGroup, NS_ILOADGROUP_IID) /* Use this macro when declaring classes that implement this interface. */ #define NS_DECL_NSILOADGROUP \ NS_IMETHOD GetGroupObserver(nsIRequestObserver * *aGroupObserver) override; \ NS_IMETHOD SetGroupObserver(nsIRequestObserver *aGroupObserver) override; \ NS_IMETHOD GetDefaultLoadRequest(nsIRequest * *aDefaultLoadRequest) override; \ NS_IMETHOD SetDefaultLoadRequest(nsIRequest *aDefaultLoadRequest) override; \ NS_IMETHOD AddRequest(nsIRequest *aRequest, nsISupports *aContext) override; \ NS_IMETHOD RemoveRequest(nsIRequest *aRequest, nsISupports *aContext, nsresult aStatus) override; \ NS_IMETHOD GetRequests(nsISimpleEnumerator * *aRequests) override; \ NS_IMETHOD GetActiveCount(uint32_t *aActiveCount) override; \ NS_IMETHOD GetNotificationCallbacks(nsIInterfaceRequestor * *aNotificationCallbacks) override; \ NS_IMETHOD SetNotificationCallbacks(nsIInterfaceRequestor *aNotificationCallbacks) override; \ NS_IMETHOD GetConnectionInfo(nsILoadGroupConnectionInfo * *aConnectionInfo) override; \ NS_IMETHOD GetDefaultLoadFlags(nsLoadFlags *aDefaultLoadFlags) override; \ NS_IMETHOD SetDefaultLoadFlags(nsLoadFlags aDefaultLoadFlags) override; /* Use this macro to declare functions that forward the behavior of this interface to another object. */ #define NS_FORWARD_NSILOADGROUP(_to) \ NS_IMETHOD GetGroupObserver(nsIRequestObserver * *aGroupObserver) override { return _to GetGroupObserver(aGroupObserver); } \ NS_IMETHOD SetGroupObserver(nsIRequestObserver *aGroupObserver) override { return _to SetGroupObserver(aGroupObserver); } \ NS_IMETHOD GetDefaultLoadRequest(nsIRequest * *aDefaultLoadRequest) override { return _to GetDefaultLoadRequest(aDefaultLoadRequest); } \ NS_IMETHOD SetDefaultLoadRequest(nsIRequest *aDefaultLoadRequest) override { return _to SetDefaultLoadRequest(aDefaultLoadRequest); } \ NS_IMETHOD AddRequest(nsIRequest *aRequest, nsISupports *aContext) override { return _to AddRequest(aRequest, aContext); } \ NS_IMETHOD RemoveRequest(nsIRequest *aRequest, nsISupports *aContext, nsresult aStatus) override { return _to RemoveRequest(aRequest, aContext, aStatus); } \ NS_IMETHOD GetRequests(nsISimpleEnumerator * *aRequests) override { return _to GetRequests(aRequests); } \ NS_IMETHOD GetActiveCount(uint32_t *aActiveCount) override { return _to GetActiveCount(aActiveCount); } \ NS_IMETHOD GetNotificationCallbacks(nsIInterfaceRequestor * *aNotificationCallbacks) override { return _to GetNotificationCallbacks(aNotificationCallbacks); } \ NS_IMETHOD SetNotificationCallbacks(nsIInterfaceRequestor *aNotificationCallbacks) override { return _to SetNotificationCallbacks(aNotificationCallbacks); } \ NS_IMETHOD GetConnectionInfo(nsILoadGroupConnectionInfo * *aConnectionInfo) override { return _to GetConnectionInfo(aConnectionInfo); } \ NS_IMETHOD GetDefaultLoadFlags(nsLoadFlags *aDefaultLoadFlags) override { return _to GetDefaultLoadFlags(aDefaultLoadFlags); } \ NS_IMETHOD SetDefaultLoadFlags(nsLoadFlags aDefaultLoadFlags) override { return _to SetDefaultLoadFlags(aDefaultLoadFlags); } /* Use this macro to declare functions that forward the behavior of this interface to another object in a safe way. */ #define NS_FORWARD_SAFE_NSILOADGROUP(_to) \ NS_IMETHOD GetGroupObserver(nsIRequestObserver * *aGroupObserver) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetGroupObserver(aGroupObserver); } \ NS_IMETHOD SetGroupObserver(nsIRequestObserver *aGroupObserver) override { return !_to ? NS_ERROR_NULL_POINTER : _to->SetGroupObserver(aGroupObserver); } \ NS_IMETHOD GetDefaultLoadRequest(nsIRequest * *aDefaultLoadRequest) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetDefaultLoadRequest(aDefaultLoadRequest); } \ NS_IMETHOD SetDefaultLoadRequest(nsIRequest *aDefaultLoadRequest) override { return !_to ? NS_ERROR_NULL_POINTER : _to->SetDefaultLoadRequest(aDefaultLoadRequest); } \ NS_IMETHOD AddRequest(nsIRequest *aRequest, nsISupports *aContext) override { return !_to ? NS_ERROR_NULL_POINTER : _to->AddRequest(aRequest, aContext); } \ NS_IMETHOD RemoveRequest(nsIRequest *aRequest, nsISupports *aContext, nsresult aStatus) override { return !_to ? NS_ERROR_NULL_POINTER : _to->RemoveRequest(aRequest, aContext, aStatus); } \ NS_IMETHOD GetRequests(nsISimpleEnumerator * *aRequests) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetRequests(aRequests); } \ NS_IMETHOD GetActiveCount(uint32_t *aActiveCount) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetActiveCount(aActiveCount); } \ NS_IMETHOD GetNotificationCallbacks(nsIInterfaceRequestor * *aNotificationCallbacks) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetNotificationCallbacks(aNotificationCallbacks); } \ NS_IMETHOD SetNotificationCallbacks(nsIInterfaceRequestor *aNotificationCallbacks) override { return !_to ? NS_ERROR_NULL_POINTER : _to->SetNotificationCallbacks(aNotificationCallbacks); } \ NS_IMETHOD GetConnectionInfo(nsILoadGroupConnectionInfo * *aConnectionInfo) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetConnectionInfo(aConnectionInfo); } \ NS_IMETHOD GetDefaultLoadFlags(nsLoadFlags *aDefaultLoadFlags) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetDefaultLoadFlags(aDefaultLoadFlags); } \ NS_IMETHOD SetDefaultLoadFlags(nsLoadFlags aDefaultLoadFlags) override { return !_to ? NS_ERROR_NULL_POINTER : _to->SetDefaultLoadFlags(aDefaultLoadFlags); } #if 0 /* Use the code below as a template for the implementation class for this interface. */ /* Header file */ class nsLoadGroup : public nsILoadGroup { public: NS_DECL_ISUPPORTS NS_DECL_NSILOADGROUP nsLoadGroup(); private: ~nsLoadGroup(); protected: /* additional members */ }; /* Implementation file */ NS_IMPL_ISUPPORTS(nsLoadGroup, nsILoadGroup) nsLoadGroup::nsLoadGroup() { /* member initializers and constructor code */ } nsLoadGroup::~nsLoadGroup() { /* destructor code */ } /* attribute nsIRequestObserver groupObserver; */ NS_IMETHODIMP nsLoadGroup::GetGroupObserver(nsIRequestObserver * *aGroupObserver) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsLoadGroup::SetGroupObserver(nsIRequestObserver *aGroupObserver) { return NS_ERROR_NOT_IMPLEMENTED; } /* attribute nsIRequest defaultLoadRequest; */ NS_IMETHODIMP nsLoadGroup::GetDefaultLoadRequest(nsIRequest * *aDefaultLoadRequest) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsLoadGroup::SetDefaultLoadRequest(nsIRequest *aDefaultLoadRequest) { return NS_ERROR_NOT_IMPLEMENTED; } /* void addRequest (in nsIRequest aRequest, in nsISupports aContext); */ NS_IMETHODIMP nsLoadGroup::AddRequest(nsIRequest *aRequest, nsISupports *aContext) { return NS_ERROR_NOT_IMPLEMENTED; } /* void removeRequest (in nsIRequest aRequest, in nsISupports aContext, in nsresult aStatus); */ NS_IMETHODIMP nsLoadGroup::RemoveRequest(nsIRequest *aRequest, nsISupports *aContext, nsresult aStatus) { return NS_ERROR_NOT_IMPLEMENTED; } /* readonly attribute nsISimpleEnumerator requests; */ NS_IMETHODIMP nsLoadGroup::GetRequests(nsISimpleEnumerator * *aRequests) { return NS_ERROR_NOT_IMPLEMENTED; } /* readonly attribute unsigned long activeCount; */ NS_IMETHODIMP nsLoadGroup::GetActiveCount(uint32_t *aActiveCount) { return NS_ERROR_NOT_IMPLEMENTED; } /* attribute nsIInterfaceRequestor notificationCallbacks; */ NS_IMETHODIMP nsLoadGroup::GetNotificationCallbacks(nsIInterfaceRequestor * *aNotificationCallbacks) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsLoadGroup::SetNotificationCallbacks(nsIInterfaceRequestor *aNotificationCallbacks) { return NS_ERROR_NOT_IMPLEMENTED; } /* readonly attribute nsILoadGroupConnectionInfo connectionInfo; */ NS_IMETHODIMP nsLoadGroup::GetConnectionInfo(nsILoadGroupConnectionInfo * *aConnectionInfo) { return NS_ERROR_NOT_IMPLEMENTED; } /* attribute nsLoadFlags defaultLoadFlags; */ NS_IMETHODIMP nsLoadGroup::GetDefaultLoadFlags(nsLoadFlags *aDefaultLoadFlags) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsLoadGroup::SetDefaultLoadFlags(nsLoadFlags aDefaultLoadFlags) { return NS_ERROR_NOT_IMPLEMENTED; } /* End of implementation class template. */ #endif // Forward-declare mozilla::net::SpdyPushCache namespace mozilla { namespace net { class SpdyPushCache; } } /* starting interface: nsILoadGroupConnectionInfo */ #define NS_ILOADGROUPCONNECTIONINFO_IID_STR "fdc9659c-b597-4ac0-9c9e-14b04dbb682f" #define NS_ILOADGROUPCONNECTIONINFO_IID \ {0xfdc9659c, 0xb597, 0x4ac0, \ { 0x9c, 0x9e, 0x14, 0xb0, 0x4d, 0xbb, 0x68, 0x2f }} class NS_NO_VTABLE nsILoadGroupConnectionInfo : public nsISupports { public: NS_DECLARE_STATIC_IID_ACCESSOR(NS_ILOADGROUPCONNECTIONINFO_IID) /* readonly attribute unsigned long blockingTransactionCount; */ NS_IMETHOD GetBlockingTransactionCount(uint32_t *aBlockingTransactionCount) = 0; /* void addBlockingTransaction (); */ NS_IMETHOD AddBlockingTransaction(void) = 0; /* unsigned long removeBlockingTransaction (); */ NS_IMETHOD RemoveBlockingTransaction(uint32_t *_retval) = 0; /* [noscript] attribute SpdyPushCachePtr spdyPushCache; */ NS_IMETHOD GetSpdyPushCache(mozilla::net::SpdyPushCache **aSpdyPushCache) = 0; NS_IMETHOD SetSpdyPushCache(mozilla::net::SpdyPushCache *aSpdyPushCache) = 0; }; NS_DEFINE_STATIC_IID_ACCESSOR(nsILoadGroupConnectionInfo, NS_ILOADGROUPCONNECTIONINFO_IID) /* Use this macro when declaring classes that implement this interface. */ #define NS_DECL_NSILOADGROUPCONNECTIONINFO \ NS_IMETHOD GetBlockingTransactionCount(uint32_t *aBlockingTransactionCount) override; \ NS_IMETHOD AddBlockingTransaction(void) override; \ NS_IMETHOD RemoveBlockingTransaction(uint32_t *_retval) override; \ NS_IMETHOD GetSpdyPushCache(mozilla::net::SpdyPushCache **aSpdyPushCache) override; \ NS_IMETHOD SetSpdyPushCache(mozilla::net::SpdyPushCache *aSpdyPushCache) override; /* Use this macro to declare functions that forward the behavior of this interface to another object. */ #define NS_FORWARD_NSILOADGROUPCONNECTIONINFO(_to) \ NS_IMETHOD GetBlockingTransactionCount(uint32_t *aBlockingTransactionCount) override { return _to GetBlockingTransactionCount(aBlockingTransactionCount); } \ NS_IMETHOD AddBlockingTransaction(void) override { return _to AddBlockingTransaction(); } \ NS_IMETHOD RemoveBlockingTransaction(uint32_t *_retval) override { return _to RemoveBlockingTransaction(_retval); } \ NS_IMETHOD GetSpdyPushCache(mozilla::net::SpdyPushCache **aSpdyPushCache) override { return _to GetSpdyPushCache(aSpdyPushCache); } \ NS_IMETHOD SetSpdyPushCache(mozilla::net::SpdyPushCache *aSpdyPushCache) override { return _to SetSpdyPushCache(aSpdyPushCache); } /* Use this macro to declare functions that forward the behavior of this interface to another object in a safe way. */ #define NS_FORWARD_SAFE_NSILOADGROUPCONNECTIONINFO(_to) \ NS_IMETHOD GetBlockingTransactionCount(uint32_t *aBlockingTransactionCount) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetBlockingTransactionCount(aBlockingTransactionCount); } \ NS_IMETHOD AddBlockingTransaction(void) override { return !_to ? NS_ERROR_NULL_POINTER : _to->AddBlockingTransaction(); } \ NS_IMETHOD RemoveBlockingTransaction(uint32_t *_retval) override { return !_to ? NS_ERROR_NULL_POINTER : _to->RemoveBlockingTransaction(_retval); } \ NS_IMETHOD GetSpdyPushCache(mozilla::net::SpdyPushCache **aSpdyPushCache) override { return !_to ? NS_ERROR_NULL_POINTER : _to->GetSpdyPushCache(aSpdyPushCache); } \ NS_IMETHOD SetSpdyPushCache(mozilla::net::SpdyPushCache *aSpdyPushCache) override { return !_to ? NS_ERROR_NULL_POINTER : _to->SetSpdyPushCache(aSpdyPushCache); } #if 0 /* Use the code below as a template for the implementation class for this interface. */ /* Header file */ class nsLoadGroupConnectionInfo : public nsILoadGroupConnectionInfo { public: NS_DECL_ISUPPORTS NS_DECL_NSILOADGROUPCONNECTIONINFO nsLoadGroupConnectionInfo(); private: ~nsLoadGroupConnectionInfo(); protected: /* additional members */ }; /* Implementation file */ NS_IMPL_ISUPPORTS(nsLoadGroupConnectionInfo, nsILoadGroupConnectionInfo) nsLoadGroupConnectionInfo::nsLoadGroupConnectionInfo() { /* member initializers and constructor code */ } nsLoadGroupConnectionInfo::~nsLoadGroupConnectionInfo() { /* destructor code */ } /* readonly attribute unsigned long blockingTransactionCount; */ NS_IMETHODIMP nsLoadGroupConnectionInfo::GetBlockingTransactionCount(uint32_t *aBlockingTransactionCount) { return NS_ERROR_NOT_IMPLEMENTED; } /* void addBlockingTransaction (); */ NS_IMETHODIMP nsLoadGroupConnectionInfo::AddBlockingTransaction() { return NS_ERROR_NOT_IMPLEMENTED; } /* unsigned long removeBlockingTransaction (); */ NS_IMETHODIMP nsLoadGroupConnectionInfo::RemoveBlockingTransaction(uint32_t *_retval) { return NS_ERROR_NOT_IMPLEMENTED; } /* [noscript] attribute SpdyPushCachePtr spdyPushCache; */ NS_IMETHODIMP nsLoadGroupConnectionInfo::GetSpdyPushCache(mozilla::net::SpdyPushCache **aSpdyPushCache) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsLoadGroupConnectionInfo::SetSpdyPushCache(mozilla::net::SpdyPushCache *aSpdyPushCache) { return NS_ERROR_NOT_IMPLEMENTED; } /* End of implementation class template. */ #endif #endif /* __gen_nsILoadGroup_h__ */
{ "content_hash": "7a0b145cfd9e4feb3f9f8d4e47a5395f", "timestamp": "", "source": "github", "line_count": 352, "max_line_length": 194, "avg_line_length": 46.09375, "alnum_prop": 0.7673959938366718, "repo_name": "andrasigneczi/TravelOptimizer", "id": "52eb2d7f81535a82dc5824ca549d5c9553808a23", "size": "16225", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DataCollector/mozilla/xulrunner-sdk/include/nsILoadGroup.h", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "3443874" }, { "name": "C++", "bytes": "33624518" }, { "name": "CSS", "bytes": "1225" }, { "name": "HTML", "bytes": "13117" }, { "name": "IDL", "bytes": "1110940" }, { "name": "Java", "bytes": "562163" }, { "name": "JavaScript", "bytes": "1480" }, { "name": "Makefile", "bytes": "360" }, { "name": "Objective-C", "bytes": "3166" }, { "name": "Python", "bytes": "322743" }, { "name": "Shell", "bytes": "2539" } ], "symlink_target": "" }
/* * $Id: XUnresolvedVariable.java 468643 2006-10-28 06:56:03Z minchau $ */ package org.apache.xalan.templates; import org.apache.xalan.res.XSLTErrorResources; import org.apache.xalan.transformer.TransformerImpl; import org.apache.xpath.VariableStack; import org.apache.xpath.XPathContext; import org.apache.xpath.objects.XObject; /** * An instance of this class holds unto a variable until * it is executed. It is used at this time for global * variables which must (we think) forward reference. */ public class XUnresolvedVariable extends XObject { static final long serialVersionUID = -256779804767950188L; /** The node context for execution. */ transient private int m_context; /** The transformer context for execution. */ transient private TransformerImpl m_transformer; /** An index to the point in the variable stack where we should * begin variable searches for evaluation of expressions. * This is -1 if m_isTopLevel is false. **/ transient private int m_varStackPos = -1; /** An index into the variable stack where the variable context * ends, i.e. at the point we should terminate the search. **/ transient private int m_varStackContext; /** true if this variable or parameter is a global. * @serial */ private boolean m_isGlobal; /** true if this variable or parameter is not currently being evaluated. */ transient private boolean m_doneEval = true; /** * Create an XUnresolvedVariable, that may be executed at a later time. * This is primarily used so that forward referencing works with * global variables. An XUnresolvedVariable is initially pushed * into the global variable stack, and then replaced with the real * thing when it is accessed. * * @param obj Must be a non-null reference to an ElemVariable. * @param sourceNode The node context for execution. * @param transformer The transformer execution context. * @param varStackPos An index to the point in the variable stack where we should * begin variable searches for evaluation of expressions. * @param varStackContext An index into the variable stack where the variable context * ends, i.e. at the point we should terminate the search. * @param isGlobal true if this is a global variable. */ public XUnresolvedVariable(ElemVariable obj, int sourceNode, TransformerImpl transformer, int varStackPos, int varStackContext, boolean isGlobal) { super(obj); m_context = sourceNode; m_transformer = transformer; // For globals, this value will have to be updated once we // have determined how many global variables have been pushed. m_varStackPos = varStackPos; // For globals, this should zero. m_varStackContext = varStackContext; m_isGlobal = isGlobal; } /** * For support of literal objects in xpaths. * * @param xctxt The XPath execution context. * * @return This object. * * @throws javax.xml.transform.TransformerException */ public XObject execute(XPathContext xctxt) throws javax.xml.transform.TransformerException { if (!m_doneEval) { this.m_transformer.getMsgMgr().error (xctxt.getSAXLocator(), XSLTErrorResources.ER_REFERENCING_ITSELF, new Object[]{((ElemVariable)this.object()).getName().getLocalName()}); } VariableStack vars = xctxt.getVarStack(); // These three statements need to be combined into one operation. int currentFrame = vars.getStackFrame(); //// vars.setStackFrame(m_varStackPos); ElemVariable velem = (ElemVariable)m_obj; try { m_doneEval = false; if(-1 != velem.m_frameSize) vars.link(velem.m_frameSize); XObject var = velem.getValue(m_transformer, m_context); m_doneEval = true; return var; } finally { // These two statements need to be combined into one operation. // vars.setStackFrame(currentFrame); if(-1 != velem.m_frameSize) vars.unlink(currentFrame); } } /** * Set an index to the point in the variable stack where we should * begin variable searches for evaluation of expressions. * This is -1 if m_isTopLevel is false. * * @param top A valid value that specifies where in the variable * stack the search should begin. */ public void setVarStackPos(int top) { m_varStackPos = top; } /** * Set an index into the variable stack where the variable context * ends, i.e. at the point we should terminate the search. * * @param bottom The point at which the search should terminate, normally * zero for global variables. */ public void setVarStackContext(int bottom) { m_varStackContext = bottom; } /** * Tell what kind of class this is. * * @return CLASS_UNRESOLVEDVARIABLE */ public int getType() { return CLASS_UNRESOLVEDVARIABLE; } /** * Given a request type, return the equivalent string. * For diagnostic purposes. * * @return An informational string. */ public String getTypeString() { return "XUnresolvedVariable (" + object().getClass().getName() + ")"; } }
{ "content_hash": "f110bfb74a19c5e459bf70efc27bea32", "timestamp": "", "source": "github", "line_count": 171, "max_line_length": 92, "avg_line_length": 31.912280701754387, "alnum_prop": 0.6545721092175187, "repo_name": "kcsl/immutability-benchmark", "id": "283813f769d0c2a434c511392c660e0bd8e4c75e", "size": "6276", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "benchmark-applications/reiminfer-oopsla-2012/source/Xalan/src/org/apache/xalan/templates/XUnresolvedVariable.java", "mode": "33188", "license": "mit", "language": [ { "name": "HTML", "bytes": "166132" }, { "name": "Java", "bytes": "21727669" }, { "name": "Lex", "bytes": "26800" }, { "name": "Makefile", "bytes": "14271" }, { "name": "Rascal", "bytes": "264" }, { "name": "Ruby", "bytes": "6521" }, { "name": "Shell", "bytes": "1343" } ], "symlink_target": "" }
#pragma checksum "..\..\App.xaml" "{8829d00f-11b8-4213-878b-770e8597ac16}" "79F7745E84F6B95AC303C6D0656A803577B662B164339613DEA6571B2A800570" //------------------------------------------------------------------------------ // <auto-generated> // This code was generated by a tool. // Runtime Version:4.0.30319.42000 // // Changes to this file may cause incorrect behavior and will be lost if // the code is regenerated. // </auto-generated> //------------------------------------------------------------------------------ using System; using System.Diagnostics; using System.Windows; using System.Windows.Automation; using System.Windows.Controls; using System.Windows.Controls.Primitives; using System.Windows.Data; using System.Windows.Documents; using System.Windows.Ink; using System.Windows.Input; using System.Windows.Markup; using System.Windows.Media; using System.Windows.Media.Animation; using System.Windows.Media.Effects; using System.Windows.Media.Imaging; using System.Windows.Media.Media3D; using System.Windows.Media.TextFormatting; using System.Windows.Navigation; using System.Windows.Shapes; using System.Windows.Shell; namespace WpfSetup { /// <summary> /// App /// </summary> public partial class App : System.Windows.Application { /// <summary> /// InitializeComponent /// </summary> [System.Diagnostics.DebuggerNonUserCodeAttribute()] [System.CodeDom.Compiler.GeneratedCodeAttribute("PresentationBuildTasks", "4.0.0.0")] public void InitializeComponent() { #line 5 "..\..\App.xaml" this.Startup += new System.Windows.StartupEventHandler(this.Application_Startup); #line default #line hidden #line 5 "..\..\App.xaml" this.StartupUri = new System.Uri("MainWindow.xaml", System.UriKind.Relative); #line default #line hidden } /// <summary> /// Application Entry Point. /// </summary> [System.STAThreadAttribute()] [System.Diagnostics.DebuggerNonUserCodeAttribute()] [System.CodeDom.Compiler.GeneratedCodeAttribute("PresentationBuildTasks", "4.0.0.0")] public static void Main() { WpfSetup.App app = new WpfSetup.App(); app.InitializeComponent(); app.Run(); } } }
{ "content_hash": "b18a423b89106bad939dd0ac74fd5a1b", "timestamp": "", "source": "github", "line_count": 75, "max_line_length": 142, "avg_line_length": 32.74666666666667, "alnum_prop": 0.6054560260586319, "repo_name": "VishwasShashidhar/SymphonyElectron", "id": "8f18e7cd52535c1c03771c3726ecdc4c0783e999", "size": "2458", "binary": false, "copies": "2", "ref": "refs/heads/SDA-3039-force-open-external", "path": "installer/win/WixSharpToolset/Samples/External_UI/WpfSetup/bin/obj/App.g.i.cs", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4046" }, { "name": "CSS", "bytes": "27758" }, { "name": "Dockerfile", "bytes": "693" }, { "name": "HTML", "bytes": "35896" }, { "name": "JavaScript", "bytes": "2541" }, { "name": "Objective-C", "bytes": "7347" }, { "name": "Shell", "bytes": "12909" }, { "name": "TypeScript", "bytes": "504045" } ], "symlink_target": "" }
<!-- 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. --> <div class="x_panel"> <div class="x_title"> <ol class="breadcrumb pull-left"> <li><a ng-click="navigateToPath('/configure/delivery-services')">Delivery Services</a></li> <li><a ng-click="navigateToPath('/configure/delivery-services/' + deliveryService.id)">{{::deliveryService.displayName}}</a></li> <li class="active">Static DNS Entries</li> </ol> <div class="pull-right"> <button class="btn btn-default" title="Refresh" ng-click="refresh()"><i class="fa fa-refresh"></i></button> </div> <div class="clearfix"></div> </div> <div class="x_content"> <br> <table id="staticDnsEntriesTable" class="table responsive-utilities jambo_table"> <thead> <tr class="headings"> <th>host</th> <th>address</th> <th>type</th> <th>ttl</th> <th>deliveryservice</th> <th>cachegroup</th> </tr> </thead> <tbody> <tr ng-repeat="staticDnsEntry in ::staticDnsEntries"> <td>{{::staticDnsEntry.host}}</td> <td>{{::staticDnsEntry.address}}</td> <td>{{::staticDnsEntry.type}}</td> <td>{{::staticDnsEntry.ttl}}</td> <td>{{::staticDnsEntry.deliveryservice}}</td> <td>{{::staticDnsEntry.cachegroup}}</td> </tr> </tbody> </table> </div> </div>
{ "content_hash": "758575016136ac434759dd9834e40f58", "timestamp": "", "source": "github", "line_count": 58, "max_line_length": 141, "avg_line_length": 39.56896551724138, "alnum_prop": 0.5956427015250545, "repo_name": "amiryesh/incubator-trafficcontrol", "id": "d54dea4fcb531c1d80d2760949c6e28e52c5fbeb", "size": "2295", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "traffic_ops/experimental/ui/app/src/common/modules/table/deliveryServiceStaticDnsEntries/table.deliveryServiceStaticDnsEntries.tpl.html", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "22837" }, { "name": "CSS", "bytes": "192015" }, { "name": "Go", "bytes": "1138549" }, { "name": "HTML", "bytes": "527423" }, { "name": "Java", "bytes": "1225479" }, { "name": "JavaScript", "bytes": "1704319" }, { "name": "Makefile", "bytes": "1047" }, { "name": "PLSQL", "bytes": "3450" }, { "name": "PLpgSQL", "bytes": "70798" }, { "name": "Perl", "bytes": "2540271" }, { "name": "Perl6", "bytes": "631069" }, { "name": "Python", "bytes": "11054" }, { "name": "Roff", "bytes": "4011" }, { "name": "Ruby", "bytes": "4090" }, { "name": "Shell", "bytes": "152761" } ], "symlink_target": "" }
import { SvgModule } from './../svg/svg.module'; import { CommonModule } from '@angular/common'; import { NgModule } from '@angular/core'; import { ImageUploadComponent } from './image-upload.component'; import { TranslateModule } from '@ngx-translate/core'; @NgModule({ imports: [ CommonModule, SvgModule, TranslateModule, ], declarations: [ ImageUploadComponent, ], exports: [ ImageUploadComponent, ], }) export class ImageUploadModule {}
{ "content_hash": "50510d96c74555a9f98dfd3d8bfc0a8d", "timestamp": "", "source": "github", "line_count": 20, "max_line_length": 64, "avg_line_length": 23.7, "alnum_prop": 0.6835443037974683, "repo_name": "googleartsculture/workbench", "id": "3126cb2c1fc68be6709a3a7fd53d7127a20a19ea", "size": "1063", "binary": false, "copies": "1", "ref": "refs/heads/main", "path": "src/app/shared/image-upload/image-upload.module.ts", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "HTML", "bytes": "117053" }, { "name": "JavaScript", "bytes": "3852" }, { "name": "SCSS", "bytes": "175744" }, { "name": "TypeScript", "bytes": "546379" } ], "symlink_target": "" }
package com.redhat.ceylon.tools.help; import java.io.StringWriter; import java.util.List; import junit.framework.Assert; import org.junit.Test; import org.tautua.markdownpapers.HtmlEmitter; import org.tautua.markdownpapers.ast.Document; import org.tautua.markdownpapers.ast.Node; import com.redhat.ceylon.common.tools.help.Markdown; import com.redhat.ceylon.common.tools.help.Markdown.Section; public class MarkdownTests { private String html(Node sectionBody) { StringWriter sw = new StringWriter(); HtmlEmitter emitter = new HtmlEmitter(sw); sectionBody.accept(emitter); return sw.toString(); } @Test public void testSplit() { Document doc = Markdown.markdown("Some stuff\n" + "\n" + "# First `H1`\n" + "\n" + "A sentence\n" + "\n" + "## `H2` under first `H1`" + "\n" + "A sentence\n" + "\n" + "# Second `H1`\n" + "\n" + "A sentence\n" + "\n" + "## `H2` under second `H1`" + "\n" + "A sentence\n" + "\n"); List<Section> sections = Markdown.extractSections(doc); Assert.assertEquals(3, sections.size()); Section section = sections.get(0); Assert.assertNull(section.getHeading()); Document sectionBody = section.getDoc(); Assert.assertEquals("<p>Some stuff</p>", html(sectionBody).trim()); section = sections.get(1); Assert.assertEquals("<h1> First <code>H1</code></h1>", html(section.getHeading()).trim()); sectionBody = section.getDoc(); Assert.assertEquals(""+ "<p>A sentence</p>\n"+ "\n"+ "<h2> <code>H2</code> under first <code>H1</code></h2>\n"+ "\n"+ "<p>A sentence</p>", html(sectionBody).trim()); section = sections.get(2); Assert.assertEquals("<h1> Second <code>H1</code></h1>", html(section.getHeading()).trim()); sectionBody = section.getDoc(); Assert.assertEquals(""+ "<p>A sentence</p>\n"+ "\n"+ "<h2> <code>H2</code> under second <code>H1</code></h2>\n"+ "\n"+ "<p>A sentence</p>", html(sectionBody).trim()); } @Test public void testAdjustHeadings() { Document doc = Markdown.markdown("Some stuff\n" + "\n" + "# First `H1`\n" + "\n" + "A sentence\n" + "\n" + "## `H2` under first `H1`" + "\n" + "A sentence"); Markdown.adjustHeadings(doc, 1); Assert.assertEquals("<p>Some stuff</p>\n"+ "\n"+ "<h2> First <code>H1</code></h2>\n"+ "\n"+ "<p>A sentence</p>\n"+ "\n"+ "<h3> <code>H2</code> under first <code>H1</code></h3>\n"+ "\n"+ "<p>A sentence</p>\n", html(doc)); } }
{ "content_hash": "4921fb98531ef61f610e6e0081a56f12", "timestamp": "", "source": "github", "line_count": 99, "max_line_length": 75, "avg_line_length": 29.525252525252526, "alnum_prop": 0.5210400273691413, "repo_name": "gijsleussink/ceylon", "id": "7b97257002c22b57720b33390ef81dfc1382cb4e", "size": "3854", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "compiler-java/test/src/com/redhat/ceylon/tools/help/MarkdownTests.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "4574" }, { "name": "CSS", "bytes": "19001" }, { "name": "Ceylon", "bytes": "5755595" }, { "name": "GAP", "bytes": "167605" }, { "name": "Groff", "bytes": "47559" }, { "name": "HTML", "bytes": "4562" }, { "name": "Java", "bytes": "23452104" }, { "name": "JavaScript", "bytes": "480101" }, { "name": "Makefile", "bytes": "19934" }, { "name": "Perl", "bytes": "2756" }, { "name": "Shell", "bytes": "185109" }, { "name": "XSLT", "bytes": "2000144" } ], "symlink_target": "" }
import {Component} from '@angular/core'; @Component({ selector:'conversation', templateUrl:'./message.component.html', styleUrls:[] }) export class MessageComponent{ constructor(){ } }
{ "content_hash": "c6d9b0ab2d783dfac16d5c83b8ed9208", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 41, "avg_line_length": 18.09090909090909, "alnum_prop": 0.6884422110552764, "repo_name": "ptech360/cs-school", "id": "66dba7d561b9e651833e9f11e9c62ad626fa9625", "size": "199", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/app/component/message/message.component.ts", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "17229" }, { "name": "HTML", "bytes": "34604" }, { "name": "JavaScript", "bytes": "1881" }, { "name": "TypeScript", "bytes": "68414" } ], "symlink_target": "" }
using System; namespace DragonSpark.Model.Selection.Stores; public class ReferenceValueStore<TIn, TOut> : Select<TIn, TOut> where TIn : class where TOut : class? { protected ReferenceValueStore(ISelect<TIn, TOut> select) : this(select.Get) {} protected ReferenceValueStore(Func<TIn, TOut> source) : base(new ReferenceValueTable<TIn, TOut>(source)) {} }
{ "content_hash": "df1c27178b864a54331e2890c0bbf137", "timestamp": "", "source": "github", "line_count": 10, "max_line_length": 108, "avg_line_length": 35.8, "alnum_prop": 0.7625698324022346, "repo_name": "DragonSpark/Framework", "id": "6aa2c230013e6d4ce95ed089123c096772c24021", "size": "360", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "DragonSpark/Model/Selection/Stores/ReferenceValueStore.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "2079497" }, { "name": "CSS", "bytes": "673" }, { "name": "HTML", "bytes": "103546" }, { "name": "JavaScript", "bytes": "1311" }, { "name": "TypeScript", "bytes": "2495" } ], "symlink_target": "" }
import React from 'react'; import { render } from 'react-dom'; import { Provider } from 'react-redux'; import { createStore, applyMiddleware, compose, StoreEnhancerStoreCreator, StoreEnhancer, } from 'redux'; import logger from 'redux-logger'; import { Route } from 'react-router'; import { createBrowserHistory } from 'history'; import { ConnectedRouter, routerMiddleware } from 'connected-react-router'; import { persistState } from '@redux-devtools/core'; import DemoApp from './DemoApp'; import createRootReducer from './reducers'; import getOptions from './getOptions'; import { ConnectedDevTools, getDevTools } from './DevTools'; function getDebugSessionKey() { const matches = /[?&]debug_session=([^&#]+)\b/.exec(window.location.href); return matches && matches.length > 0 ? matches[1] : null; } const ROOT = process.env.NODE_ENV === 'production' ? '/redux-devtools-inspector-monitor/' : '/'; const DevTools = getDevTools(window.location); const history = createBrowserHistory(); const useDevtoolsExtension = !!(window as unknown as { __REDUX_DEVTOOLS_EXTENSION__: unknown }) .__REDUX_DEVTOOLS_EXTENSION__ && getOptions(window.location).useExtension; const enhancer = compose( applyMiddleware(logger, routerMiddleware(history)), (next: StoreEnhancerStoreCreator) => { const instrument = useDevtoolsExtension ? ( window as unknown as { __REDUX_DEVTOOLS_EXTENSION__(): StoreEnhancer; } ).__REDUX_DEVTOOLS_EXTENSION__() : DevTools.instrument(); return instrument(next); }, persistState(getDebugSessionKey()) ); const store = createStore(createRootReducer(history), enhancer); render( <Provider store={store}> <ConnectedRouter history={history}> <Route path={ROOT}> <DemoApp /> </Route> {!useDevtoolsExtension && <ConnectedDevTools />} </ConnectedRouter> </Provider>, document.getElementById('root') );
{ "content_hash": "d3c76dd7a3ddcacb060531e8c1b473cc", "timestamp": "", "source": "github", "line_count": 66, "max_line_length": 78, "avg_line_length": 29.575757575757574, "alnum_prop": 0.6895491803278688, "repo_name": "gaearon/redux-devtools", "id": "82015be0f6f7c6d60355207f7f970e062250e1aa", "size": "1952", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "packages/redux-devtools-inspector-monitor/demo/src/js/index.tsx", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "7194" } ], "symlink_target": "" }
package stream import ( "context" "os" "strconv" "time" "go-micro.dev/v4/logger" ) var ( janitorConsumerTimeout = 24 * time.Hour // threshold for an "old" consumer janitorFrequency = 4 * time.Hour // how often do we run the janitor defaultTrimDuration = 5 * 24 * time.Hour // oldest event in stream ) func (r *redisStream) runJanitor() { // Some times it's possible that a consumer group has old consumers that have failed to be deleted. // Janitor will clean up any consumers that haven't been seen for X duration go func() { for { if err := r.cleanupConsumers(); err != nil { logger.Errorf("Error cleaning up consumers") } time.Sleep(janitorFrequency) } }() } func (r *redisStream) cleanupConsumers() error { ctx := context.Background() now := time.Now() keys, err := r.redisClient.Keys(ctx, "stream-*").Result() if err != nil { return err } for _, streamName := range keys { logger.Infof("Cleaning up stream %s", streamName) s, err := r.redisClient.XInfoStreamFull(ctx, streamName, 1).Result() if err != nil { logger.Errorf("Error getting info on groups for %s: %s", streamName, err) continue } for _, g := range s.Groups { logger.Infof("Cleaning up stream %s group %s", streamName, g.Name) for _, c := range g.Consumers { // Seen time is the last time this consumer read a message successfully. // This means if the stream is low volume you could delete currently connected consumers // This isn't a massive problem because the clients should reconnect with a new consumer if c.SeenTime.Add(janitorConsumerTimeout).After(now) { continue } logger.Infof("Cleaning up consumer %s, it is %s old", c.Name, time.Since(c.SeenTime)) if err := r.redisClient.XGroupDelConsumer(ctx, streamName, g.Name, c.Name).Err(); err != nil { logger.Errorf("Error deleting consumer %s %s %s: %s", streamName, g.Name, c.Name, err) continue } } } d := defaultTrimDuration durationStr := os.Getenv("MICRO_REDIS_TRIM_DURATION") if len(durationStr) > 0 { parsed, err := time.ParseDuration(durationStr) if err != nil { logger.Warnf("Failed to parse MICRO_REDIS_TRIM_DURATION %s", err) } else { d = parsed } } if err := r.redisClient.XTrimMinID(ctx, streamName, strconv.FormatInt(time.Now().Add(-d).Unix()*1000, 10)); err != nil { logger.Errorf("Error trimming %s", err) } } return nil }
{ "content_hash": "25fb6be9559cbf72ca1438044d64432b", "timestamp": "", "source": "github", "line_count": 79, "max_line_length": 122, "avg_line_length": 30.835443037974684, "alnum_prop": 0.6637931034482759, "repo_name": "myodc/go-micro", "id": "aade67d830c1ddf5e5cb5e00aa8804d688eac14b", "size": "2436", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "plugins/events/redis/janitor.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Go", "bytes": "166451" }, { "name": "Protocol Buffer", "bytes": "501" } ], "symlink_target": "" }
module UIAutomation module Traits # Defines methods for elements that support text entry using the system keyboard. # module TextInput ### @!group Actions # Sets the text of the text field directly, bypassing the keyboard. # # If the text field does not currently have keyboard focus, it will be tapped first. # # @param [String] value the text to use as the text field's new value # def text=(value) with_keyboard_focus do perform :setValue, value end end # Begins typing in the text field using the on-screen keyboard # # If the text field has keyboard focus and the keyboard is visible, then the given # block will be called immediately. # # Otherwise, this method will tap the text field if necessary, wait until it reports that # it has keyboard focus, wait for the keyboard to become visible if it isn't # already and then call the block. # # As a convenience, a proxy to the keyboard is yielded to the block. # # This method does not dismiss the keyboard automatically. # # @example Simulate typing in a text field using the on-screen keyboard # text_field.begin_typing do |keyboard| # keyboard.type "some text" # end # # @yieldparam [UIAutomation::Keyboard] keyboard the keyboard proxy # def begin_typing(&block) with_keyboard_focus do application.keyboard.when_element(:visible?) do yield application.keyboard if block_given? end end end ### @!endgroup private def with_keyboard_focus(&block) tap unless has_keyboard_focus? when_element(:has_keyboard_focus?, &block) end end end end
{ "content_hash": "a03ec367a203d09e9b42a049105e75fb", "timestamp": "", "source": "github", "line_count": 58, "max_line_length": 95, "avg_line_length": 31.655172413793103, "alnum_prop": 0.6236383442265795, "repo_name": "songkick/rubium-ios", "id": "69f7ff1a64a51f69d0c5e93101a4b53a0af74789", "size": "1836", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/ui_automation/traits/text_input.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "86088" } ], "symlink_target": "" }
module Capnotify class Component class TemplateUndefined < StandardError; end attr_accessor :header, :name # the class(s) for this component (as a string) attr_accessor :css_class, :custom_css # a block that will configure this instance lazily attr_reader :builder attr_accessor :template_path, :renderers attr_accessor :config def initialize(name, options={}, &block) @name = name.to_sym # default stuff @template_path = File.join( File.dirname(__FILE__), 'templates' ) @renderers = { :html => '_component.html.erb', :txt => '_component.txt.erb' } @header = options[:header] @css_class = options[:css_class] || 'section' @custom_css = options[:custom_css] if block_given? @builder = block end end # assign the content as new_content def content=(new_content) @content = new_content end def content @content end # FIXME: this should probably leverage Procs for rendering of different types, maybe? # that would give a lot of power to a developer who wants a custom format for a plugin (eg XML or JSON) # Render the content in the given format using the right built-in template. Returns the content as a string. # In the event that there is not a valid template, return an empty string. def render_content(format) begin ERB.new( File.open( template_path_for(format) ).read, nil, '%<>' ).result(self.get_binding) rescue TemplateUndefined '' end end # return the binding for this object # this is needed when embedding ERB templates in each other def get_binding binding end # set the template path for this particular instance # the template path is the path to the parent directory of a renderer ERB template def template_path_for(format) raise TemplateUndefined, "Template for #{ format } is missing!" if @renderers[format].nil? File.join( @template_path, @renderers[format] ) end # create renderers # given a key for the format, provide the name of the ERB template to use to render relative to the template path def render_for(renderers={}) @renderers = @renderers.merge(renderers) end # call @builder with self as a param if @builder is present # ensure builder is nil # then return self def build!(config) @builder.call(self) unless @builder.nil? @builder = nil @config = config return self end end end
{ "content_hash": "c0e9aadbdee64cf5532df143811ba016", "timestamp": "", "source": "github", "line_count": 92, "max_line_length": 117, "avg_line_length": 27.934782608695652, "alnum_prop": 0.6490272373540856, "repo_name": "spikegrobstein/capnotify", "id": "ca3ae2d744a02c87cde797fa649d2858b34b01d2", "size": "2570", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "lib/capnotify/component.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "36405" } ], "symlink_target": "" }
package com.github.spuchmann.xml.splitter.stax; import org.junit.Test; import java.util.HashMap; import java.util.Map; import javax.xml.namespace.QName; import static org.hamcrest.CoreMatchers.not; import static org.hamcrest.core.Is.is; import static org.hamcrest.core.IsNull.notNullValue; import static org.junit.Assert.assertThat; public class SplitContextBuilderTest { private static final String BASENAME = "basename"; private static final String ENCODING = "encoding"; private static final int CURRENT_COUNT = 5; private static final Map<QName, String> COLLECTED_DATA = createCollectedData(); private static Map<QName, String> createCollectedData() { Map<QName, String> map = new HashMap<>(); map.put(new QName("test"), "test"); map.put(new QName("test2"), "test2"); return map; } @Test public void testBuild() { SplitContextBuilder builder = SplitContextBuilder.newBuilder() .basename(BASENAME) .currentCount(CURRENT_COUNT) .encoding(ENCODING) .collectedData(COLLECTED_DATA); SplitContext context = builder.build(); verify(context); COLLECTED_DATA.put(new QName("test3"), "test3"); SplitContext anotherContext = builder.build(); assertThat(context, is(not(anotherContext))); verify(anotherContext); assertThat(context.getCollectedData().size(), is(2)); } private void verify(SplitContext splitContext) { assertThat(splitContext.getBasename(), is(BASENAME)); assertThat(splitContext.getCurrentCount(), is(CURRENT_COUNT)); assertThat(splitContext.getEncoding(), is(ENCODING)); assertThat(splitContext.getCollectedData(), is(notNullValue())); assertThat(splitContext.getCollectedData().size(), is(COLLECTED_DATA.size())); } }
{ "content_hash": "aec3fc821aea12f4e80e6d4720cf51dc", "timestamp": "", "source": "github", "line_count": 58, "max_line_length": 86, "avg_line_length": 32.53448275862069, "alnum_prop": 0.6767355590885002, "repo_name": "spucman/xml-splitter", "id": "3ab0e94e7a4a5b2da0abc72296375cc5a38c9667", "size": "1887", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/test/java/com/github/spuchmann/xml/splitter/stax/SplitContextBuilderTest.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "58665" } ], "symlink_target": "" }
package todomvcfx.referenceimpl.controllers; import javafx.collections.ListChangeListener; import javafx.fxml.FXML; import javafx.scene.control.CheckBox; import javafx.scene.control.TextField; import todomvcfx.referenceimpl.Repository; import todomvcfx.referenceimpl.TodoItem; public class AddItemsController { @FXML public CheckBox selectAll; @FXML public TextField addInput; private final Repository repository; public AddItemsController(Repository repository) { this.repository = repository; } public void initialize() { addInput.setOnAction(event -> { final String currentText = addInput.getText(); // check input if(currentText == null || currentText.trim().isEmpty()) { return; } // create and add item TodoItem newItem = new TodoItem(currentText); repository.addItem(newItem); // reset input addInput.setText(""); }); selectAll.setOnAction(event -> { final boolean selected = selectAll.isSelected(); repository.allItemsProperty().forEach(item -> { item.setDone(selected); }); // while iterating through the items and setting them to done, // the selectAll-checkbox can switch it's state based on other constraints // Therefore at the end the checkbox has to be set to the value again. selectAll.setSelected(selected); }); repository.allItemsProperty().addListener((ListChangeListener<TodoItem>) c -> { c.next(); selectAll.setVisible(! repository.allItemsProperty().isEmpty()); // if the checkbox is marked... if(selectAll.isSelected()) { // we check if there is any item that is not "done" now. // If this is the case, we uncheck the checkbox selectAll.setSelected(!repository.allItemsProperty().stream() .anyMatch(item -> !item.isDone())); } else { // if the checkbox is not marked yet // we check if there all items are done now. // if this is the case, we mark the checkbox. selectAll.setSelected(repository.allItemsProperty().stream() .allMatch(item -> item.isDone())); } }); } }
{ "content_hash": "a4fe13839130709f5c25a54ce96867ae", "timestamp": "", "source": "github", "line_count": 82, "max_line_length": 87, "avg_line_length": 30.036585365853657, "alnum_prop": 0.5891189606171335, "repo_name": "bekwam/todomvcFX", "id": "6e30b442d3fd3baad40ad7748157079e9a979bc3", "size": "2463", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "reference_impl/src/main/java/todomvcfx/referenceimpl/controllers/AddItemsController.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "508" }, { "name": "Java", "bytes": "24884" } ], "symlink_target": "" }
using System.Reflection; using System.Runtime.CompilerServices; using System.Runtime.InteropServices; // General Information about an assembly is controlled through the following // set of attributes. Change these attribute values to modify the information // associated with an assembly. [assembly: AssemblyTitle("04.HelloWorld")] [assembly: AssemblyDescription("")] [assembly: AssemblyConfiguration("")] [assembly: AssemblyCompany("")] [assembly: AssemblyProduct("04.HelloWorld")] [assembly: AssemblyCopyright("Copyright © 2015")] [assembly: AssemblyTrademark("")] [assembly: AssemblyCulture("")] // Setting ComVisible to false makes the types in this assembly not visible // to COM components. If you need to access a type in this assembly from // COM, set the ComVisible attribute to true on that type. [assembly: ComVisible(false)] // The following GUID is for the ID of the typelib if this project is exposed to COM [assembly: Guid("c1ca46d6-7b7e-40eb-bdcd-fba45ab02e98")] // Version information for an assembly consists of the following four values: // // Major Version // Minor Version // Build Number // Revision // // You can specify all the values or you can default the Build and Revision Numbers // by using the '*' as shown below: // [assembly: AssemblyVersion("1.0.*")] [assembly: AssemblyVersion("1.0.0.0")] [assembly: AssemblyFileVersion("1.0.0.0")]
{ "content_hash": "9cd00fba486b6cc8c261a60aeb492ed5", "timestamp": "", "source": "github", "line_count": 36, "max_line_length": 84, "avg_line_length": 38.861111111111114, "alnum_prop": 0.7441029306647605, "repo_name": "siderisltd/Telerik-Academy", "id": "c77320d3d19c5b46a62d083573a8df7f211ba07a", "size": "1402", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "All Courses Homeworks/C#_Part_1/1. EnteringToProgramming/04.HelloWorld/Properties/AssemblyInfo.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "1027901" }, { "name": "CSS", "bytes": "1076028" }, { "name": "CoffeeScript", "bytes": "4962" }, { "name": "HTML", "bytes": "701827" }, { "name": "JavaScript", "bytes": "2830280" }, { "name": "Smalltalk", "bytes": "66" } ], "symlink_target": "" }
var autoprefixer = require('autoprefixer'); var path = require('path'); var merge = require('webpack-merge'); var webpack = require('webpack'); var HtmlwebpackPlugin = require('html-webpack-plugin'); var ExtractTextPlugin = require('extract-text-webpack-plugin'); var getProdConfig = require('./webpack.production'); var getDevConfig = require('./webpack.development'); var NODE_ENV = process.env.NODE_ENV ? 'production' : 'development'; var sassLoaders; sassLoaders = (NODE_ENV === 'development') ? [ 'css-loader?sourceMap!postcss-loader', 'sass-loader?sourceMap!postcss-loader' ] : [ 'css-loader!postcss-loader', 'sass-loader!postcss-loader' ]; var commonConfig = { output: { path: 'dist' }, module: { loaders: [ { test: /\.jsx?$/, exclude: /(node_modules|bower_components)/, loader: 'babel', query: { presets: ['es2015', 'react'] } }, { test: /\.scss$/, loader: ExtractTextPlugin.extract('style-loader', sassLoaders.join('!')) }, { test: /\.sass/, loader: ExtractTextPlugin.extract('style-loader', sassLoaders.join('!')) }, { test: /\.less/, loader: 'style-loader!css-loader!less-loader' }, { test: /\.styl/, loader: 'style-loader!css-loader!stylus-loader' }, { test: /\.css$/, loader: 'style-loader!css-loader' }, { test: /\.(png|jpg|gif)$/, loader: 'url?limit=25000' }, { test: /\.json$/, loader: 'json' } ] }, plugins: [ new HtmlwebpackPlugin({ title: '<%= scriptAppName %>', template: 'src/index.html', inject: ['body', 'head'] }), new ExtractTextPlugin('[name].css') ], resolve: { modulesDirectories: [ 'node_modules', './src/scripts', './src/scripts/components', './src/scripts/constants', './src/scripts/dispatcher', './src/scripts/helpers', './src/scripts/stores' ] }, postcss: [ autoprefixer({ browsers: ['last 2 versions'] }) ], sassLoader: { includePaths: [path.resolve(__dirname, './src/styles')] } }; module.exports = merge(commonConfig, (NODE_ENV === 'development' ? getDevConfig() : getProdConfig()));
{ "content_hash": "b359f28523a29d4f2596c1a77a80d7f6", "timestamp": "", "source": "github", "line_count": 91, "max_line_length": 102, "avg_line_length": 25.373626373626372, "alnum_prop": 0.563014291901256, "repo_name": "willmendesneto/generator-reactor", "id": "ad21ef891376ac3fec4ca9fdb0ffebab858430ac", "size": "2309", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "templates/common/webpack.config.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "5234" }, { "name": "HTML", "bytes": "2679" }, { "name": "JavaScript", "bytes": "576548" } ], "symlink_target": "" }
<HTML> <HEAD> <TITLE> EMBOSS: tfextract </TITLE> </HEAD> <BODY BGCOLOR="#FFFFFF" text="#000000"> <!--#include file="header1.inc" --> tfextract <!--#include file="header2.inc" --> <H2> Function </H2> <!--#include file="inc/tfextract.ione" --> <H2> Description </H2> <p><b>tfextract</b> extracts data from the TRANSFAC transcription factor database file site.dat (available from <a href="ftp://ftp.ebi.ac.uk/pub/databases/transfac/">ftp://ftp.ebi.ac.uk/pub/databases/transfac/</a>) for other EMBOSS programs, such as <b>tfscan</b>, that use these data. The data is split up by taxonomic groups and placed in individual files that are stored in the EMBOSS data directory. </p> <H2> Usage </H2> <!--#include file="inc/tfextract.usage" --> <H2> Command line arguments </H2> <table CELLSPACING=0 CELLPADDING=3 BGCOLOR="#f5f5ff" ><tr><td> <pre> <!--#include file="inc/tfextract.ihelp" --> </pre> </td></tr></table> <P> <!--#include file="inc/tfextract.itable" --> <H2> Input file format </H2> It reads in the TRANSFAC file <b>site.dat</b> available from: <p> <!-- <A HREF="http://transfac.gbf.de/cgi-bin/download/download.pl">http://transfac.gbf.de/cgi-bin/download/download.pl</A> --> <!-- <A HREF="ftp://transfac.gbf.de/pub/transfac/ascii/old/tf_3.2/transfac32.tar.Z"> ftp://transfac.gbf.de/pub/transfac/ascii/old/tf_3.2/transfac32.tar.Z --> <A HREF="ftp://ftp.ebi.ac.uk/pub/databases/transfac/"> ftp://ftp.ebi.ac.uk/pub/databases/transfac/ </A> <p> <!--#include file="inc/tfextract.input" --> <H2> Output file format </H2> <!--#include file="inc/tfextract.output" --> <p> The output from tfextract is a set of files in the emboss/data directory containing reformatted sites from the transfac database. <p> These files are used by the tfscan program to search for TRANSFAC sites in sequences. <H2> Data files </H2> <!--#include file="inc/localfiles.ihtml" --> <H2> Notes </H2> <p>The TRANSFAC Database is a commercial database of eukaryotic cis-acting regulatory DNA elements and trans-acting factors. It covers the whole range from yeast to human. An old public domain version is available at: <a href="ftp://ftp.ebi.ac.uk/pub/databases/transfac/transfac32.tar.Z">ftp://ftp.ebi.ac.uk/pub/databases/transfac/transfac32.tar.Z</a></p> <p>TRANSFAC started in 1988 with a printed compilation (Nucleic Acids Res. 16: 1879-1902, 1988) and was transferred into computer-readable format in 1990 (BioTechForum - Advances in Molecular Genetics (J. Collins, A.J. Driesel, eds.) 4:95-108, 1991). The basic structures of Table 1 and 2 of the compilation were taken as the core of the emergent database. The aim of the early compilation as well as of the TRANSFAC database is: 1. to guide through a meanwhile overwhelming amount of data in a field which is connected to nearly all areas of modern molecular biology; 2. to map the regulatory sites in the individual genes and, ultimately, in the genome(s) as a whole; 3. to develop a tool for the identification of regulatory elements in newly unravelled genomic sequences; 4. to provide a basis for a more comprehensive understanding of how the genome governs transcriptional control. </p> <p>The program <b>tfextract</b> extracts data from the TRANSFAC database file <tt>site.dat</tt>. This file contains information on individual (putatively) regulatory protein binding sites. About half of these refer to sites within eukaryotic genes. Just under half of them resulted from mutagenesis studies, in vitro selection procedures starting from random oligonucleotide mixtures or from specific theoretical considerations. And finally, there are about 5% with consensus binding sequences given in the IUPAC code, many of them being taken from the compilation of Faisst and Meyer (Nucleic Acids Res. 20:3-26, 1992). A number of consensi have been generated by the TRANSFAC team, generally derived from the profiles stored in the MATRIX table.</p> <p>The data is split up by taxonomic groups:<p> <ul> <li>Fungi <li>Insects <li>Plants <li>Vertebrates <li>Other </ul> <p>and placed in individual files:</p> <ul> <li>tffungi <li>tfinsect <li>tfplant <li>tfvertebrate <li>tfother </ul> <p>These files are stored in the EMBOSS data directory, see Data Files below.</p> <H2> References </H2> <ul> <li>Nucleic Acids Res. 16: 1879-1902, 1988 <li>BioTechForum - Advances in Molecular Genetics (J. Collins,A.J. Driesel, eds.) 4:95-108, 1991 <li>Nucleic Acids Res. 20:3-26, 1992 </ul> <H2> Warnings </H2> None. <H2> Diagnostic Error Messages </H2> None. <H2> Exit status </H2> It always exits with a status of 0. <H2> Known bugs </H2> None. <!--#include file="inc/tfextract.isee" --> <H2> Author(s) </H2> <!--#include file="inc/ableasby.address" --> <H2> History </H2> <!--#include file="inc/tfextract.history" --> <H2> Target users </H2> <!--#include file="inc/targetadmin.itxt" --> <H2> Comments </H2> <!--#include file="inc/tfextract.comment" --> </BODY> </HTML>
{ "content_hash": "bd9f91ca865b3d21cd3f02c8a82e8a43", "timestamp": "", "source": "github", "line_count": 204, "max_line_length": 751, "avg_line_length": 24.691176470588236, "alnum_prop": 0.7111375818939845, "repo_name": "lauringlab/CodonShuffle", "id": "dbfd95cfffad082ec7f614871f547308ac75eff2", "size": "5037", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "lib/EMBOSS-6.6.0/doc/programs/master/emboss/apps/tfextract.html", "mode": "33188", "license": "mit", "language": [ { "name": "Assembly", "bytes": "26005" }, { "name": "Batchfile", "bytes": "410" }, { "name": "C", "bytes": "32248936" }, { "name": "C++", "bytes": "666976" }, { "name": "CSS", "bytes": "24950" }, { "name": "DIGITAL Command Language", "bytes": "1919" }, { "name": "Eiffel", "bytes": "9228" }, { "name": "FORTRAN", "bytes": "7327" }, { "name": "Groff", "bytes": "385461" }, { "name": "HTML", "bytes": "21580322" }, { "name": "Java", "bytes": "1268950" }, { "name": "JavaScript", "bytes": "144823" }, { "name": "Makefile", "bytes": "662688" }, { "name": "Max", "bytes": "224" }, { "name": "Module Management System", "bytes": "3943" }, { "name": "Parrot", "bytes": "5376" }, { "name": "Perl", "bytes": "652946" }, { "name": "Perl6", "bytes": "4794" }, { "name": "PostScript", "bytes": "606530" }, { "name": "Prolog", "bytes": "1731" }, { "name": "Python", "bytes": "158248" }, { "name": "QMake", "bytes": "7518" }, { "name": "R", "bytes": "7233" }, { "name": "Shell", "bytes": "709299" }, { "name": "SourcePawn", "bytes": "10316" }, { "name": "Standard ML", "bytes": "1327" }, { "name": "TeX", "bytes": "741088" }, { "name": "XS", "bytes": "12050" } ], "symlink_target": "" }
using System; using System.Xml.Linq; namespace Microsoft.TeamFoundation.VersionControl.Client.Objects { public class ItemSpec { public ItemSpec(string item, RecursionType recursionType) { if (string.IsNullOrEmpty(item)) throw new ArgumentException("Value cannot be null or empty."); this.Item = item; this.RecursionType = recursionType; } public ItemSpec(string item, RecursionType recursionType, int deletionId) { if (string.IsNullOrEmpty(item)) throw new ArgumentException("Value cannot be null or empty."); this.Item = item; this.RecursionType = recursionType; this.DeletionId = deletionId; } internal XElement ToXml(XName element) { XElement result = new XElement(element); if (this.RecursionType != RecursionType.None) result.Add(new XAttribute("recurse", RecursionType)); if (this.DeletionId != 0) result.Add(new XAttribute("did", DeletionId)); if (VersionControlPath.IsServerItem(Item)) result.Add(new XAttribute("item", Item)); else result.Add(new XAttribute("item", TfsPath.FromPlatformPath(Item))); return result; } public int DeletionId { get; set; } public string Item { get; set; } public RecursionType RecursionType { get; set; } } }
{ "content_hash": "aa0d1b69b054d76582288e74062eace3", "timestamp": "", "source": "github", "line_count": 47, "max_line_length": 83, "avg_line_length": 32.255319148936174, "alnum_prop": 0.587730870712401, "repo_name": "stneykov/monodevelop-tfs-addin", "id": "13e99c325c466c6f4f7cae60daa281ebdf4fc4e9", "size": "2824", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Microsoft.TeamFoundation.VersionControl.Client/Objects/ItemSpec.cs", "mode": "33188", "license": "mit", "language": [ { "name": "C#", "bytes": "611522" } ], "symlink_target": "" }
CREATE TABLE Bees ( id int PRIMARY KEY, name varchar(50) NOT NULL UNIQUE, wings int CHECK(wings >= 2), legs int CHECK (legs < 8) );
{ "content_hash": "5352f503011f1460e22067767f5d39de", "timestamp": "", "source": "github", "line_count": 6, "max_line_length": 35, "avg_line_length": 23.333333333333332, "alnum_prop": 0.6571428571428571, "repo_name": "ngaut/sqlite-parser", "id": "0fa3050541442b7f61d5e74449b8c9407e2393ec", "size": "140", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "test/sql/create-table/create-check-1.sql", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "2076" }, { "name": "HTML", "bytes": "3536" }, { "name": "JavaScript", "bytes": "537457" }, { "name": "PLSQL", "bytes": "101" } ], "symlink_target": "" }
.class public Landroid/media/MediaFile$MediaFileType; .super Ljava/lang/Object; .source "MediaFile.java" # annotations .annotation system Ldalvik/annotation/EnclosingClass; value = Landroid/media/MediaFile; .end annotation .annotation system Ldalvik/annotation/InnerClass; accessFlags = 0x9 name = "MediaFileType" .end annotation # instance fields .field public final fileType:I .field public final mimeType:Ljava/lang/String; # direct methods .method constructor <init>(ILjava/lang/String;)V .locals 0 invoke-direct {p0}, Ljava/lang/Object;-><init>()V iput p1, p0, Landroid/media/MediaFile$MediaFileType;->fileType:I iput-object p2, p0, Landroid/media/MediaFile$MediaFileType;->mimeType:Ljava/lang/String; return-void .end method
{ "content_hash": "6daba6702fb00744b43157c6894a5092", "timestamp": "", "source": "github", "line_count": 34, "max_line_length": 92, "avg_line_length": 22.794117647058822, "alnum_prop": 0.752258064516129, "repo_name": "BatMan-Rom/ModdedFiles", "id": "82bc0bc6112e3a3b4456a1029980b7b6c80e4ff3", "size": "775", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "framework.jar.out/smali/android/media/MediaFile$MediaFileType.smali", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "GLSL", "bytes": "15069" }, { "name": "HTML", "bytes": "139176" }, { "name": "Smali", "bytes": "541934400" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <FrameLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent"> <shem.com.materiallogin.MaterialLoginView android:id="@+id/login" android:layout_width="match_parent" android:layout_height="match_parent"/> </FrameLayout>
{ "content_hash": "5aa12e0eee68a648960ab38eb244cca9", "timestamp": "", "source": "github", "line_count": 11, "max_line_length": 62, "avg_line_length": 34.63636363636363, "alnum_prop": 0.6902887139107612, "repo_name": "marccaps/RacoMobile", "id": "647f487f96e049fbd983c4d0fa11501ffc8f878f", "size": "381", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "app/src/main/res/layout/user_login.xml", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "193481" } ], "symlink_target": "" }
// Part of fCraft | Copyright (c) 2009-2013 Matvei Stefarov <me@matvei.org> | BSD-3 | See LICENSE.txt using System; using System.Collections.Generic; using System.ComponentModel; using System.Xml.Linq; using JetBrains.Annotations; namespace fCraft.MapGeneration { /// <summary> MapGenerator that creates a flat, featureless, layered map. /// This is a singleton class -- use FlatMapGen.Instance. </summary> public sealed class FlatMapGen : MapGenerator { public static FlatMapGen Instance { get; private set; } FlatMapGen() {} static FlatMapGen() { List<string> presetList = new List<string> { "Default", "Ocean" }; presetList.AddRange( Enum.GetNames( typeof( MapGenTheme ) ) ); Instance = new FlatMapGen { Name = "Flat", Presets = presetList.ToArray(), Help = "&S\"Flat\" map generator:\n" + "Creates a flat, featureless, layered map. " + "Takes an optional preset name. Presets are: " + presetList.JoinToString() }; } public override MapGeneratorParameters CreateDefaultParameters() { return new FlatMapGenParameters(); } public override MapGeneratorParameters CreateParameters( XElement serializedParameters ) { return new FlatMapGenParameters( serializedParameters ); } public override MapGeneratorParameters CreateParameters( Player player, CommandReader cmd ) { string themeName = cmd.Next(); MapGeneratorParameters newParams; if( themeName != null ) { newParams = CreateParameters( themeName ); if( newParams == null ) { player.Message( "SetGen: \"{0}\" is not a recognized flat theme name. Available themes are: {1}", themeName, Presets.JoinToString() ); return null; } } else { newParams = CreateDefaultParameters(); } return newParams; } public override MapGeneratorParameters CreateParameters( string presetName ) { if( presetName == null ) { throw new ArgumentNullException( "presetName" ); } else if( presetName.Equals( Presets[0], StringComparison.OrdinalIgnoreCase ) ) { // "Default" return new FlatMapGenParameters { Preset = Presets[0] }; } else if( presetName.Equals( Presets[1], StringComparison.OrdinalIgnoreCase ) ) { // "Ocean" return new FlatMapGenParameters { SurfaceThickness = 0, SoilThickness = 0, BedrockThickness = 0, DeepBlock = Block.Water, Preset = Presets[1] }; } else { MapGenTheme theme; if( EnumUtil.TryParse( presetName, out theme, true ) ) { FlatMapGenParameters genParams = new FlatMapGenParameters(); genParams.ApplyTheme( theme ); return genParams; } else { return null; } } } [NotNull] public static MapGeneratorState MakeFlatgrass( int width, int length, int height ) { MapGeneratorParameters preset = Instance.CreateDefaultParameters(); preset.MapWidth = width; preset.MapLength = length; preset.MapHeight = height; return preset.CreateGenerator(); } } sealed class FlatMapGenParameters : MapGeneratorParameters { [Browsable(false)] public string Preset { get; set; } [Category( "Layers" )] [Description( "Number of blocks (positive or negative) by which the ground level of the map " + "should be offset. Positive values make it higher, negative values make it lower." )] [DefaultValue( 0 )] public int GroundLevelOffset { get; set; } [Category( "Layers" )] [Description( "Thickness, in blocks, of the surface layer of blocks." )] [DefaultValue( 1 )] public int SurfaceThickness { get; set; } [Category( "Layers" )] [Description( "Thickness, in blocks, of the shallow/soil layer, right under the surface." )] [DefaultValue( 5 )] public int SoilThickness { get; set; } [Category( "Layers" )] [Description( "Thickness, in blocks, of the bottom-most layer blocks (under the deep block)." )] [DefaultValue( 1 )] public int BedrockThickness { get; set; } [Category( "Blocks" )] [Description( "Block to use for the upper half of the map, above the surface." )] [DefaultValue( Block.Air )] public Block AirBlock { get; set; } [Category( "Blocks" )] [Description( "Block to use for the surface layer." )] [DefaultValue( Block.Grass )] public Block SurfaceBlock { get; set; } [Category( "Blocks" )] [Description( "Block to use for the shallow/soil layer, right under the surface." )] [DefaultValue( Block.Dirt )] public Block ShallowBlock { get; set; } [Category( "Blocks" )] [Description( "Block to use for the deep/main layer, between shallow/soil and bedrock layers." )] [DefaultValue( Block.Stone )] public Block DeepBlock { get; set; } [Category( "Blocks" )] [Description( "Block to use for the bottom-most layer of the map, under the deep/main layer." )] [DefaultValue( Block.Admincrete )] public Block BedrockBlock { get; set; } public FlatMapGenParameters() { Generator = FlatMapGen.Instance; ApplyTheme( MapGenTheme.Grass ); Preset = "(Default)"; } public void ApplyTheme( MapGenTheme theme ) { // base defaults ("Grass") SurfaceThickness = 1; SoilThickness = 5; BedrockThickness = 1; AirBlock = Block.Air; SurfaceBlock = Block.Grass; ShallowBlock = Block.Dirt; DeepBlock = Block.Stone; BedrockBlock = Block.Admincrete; Preset = theme.ToString(); switch( theme ) { case MapGenTheme.Arctic: DeepBlock = Block.White; SurfaceThickness = 0; SoilThickness = 0; break; case MapGenTheme.Desert: DeepBlock = Block.Sand; SurfaceThickness = 0; SoilThickness = 0; break; case MapGenTheme.Hell: DeepBlock = Block.Obsidian; SurfaceThickness = 0; SoilThickness = 0; break; case MapGenTheme.Swamp: SurfaceBlock = Block.Dirt; break; } // TODO: actually add trees in "Forest" mode } public override MapGeneratorState CreateGenerator() { return new FlatMapGenState( this ); } public FlatMapGenParameters( XElement el ) : this() { LoadProperties( el ); } public override string ToString() { if( !String.IsNullOrEmpty( Preset ) ) { return Generator.Name + " " + Preset; } else { return Generator.Name + " (Custom)"; } } } sealed class FlatMapGenState : MapGeneratorState { public FlatMapGenState( FlatMapGenParameters parameters ) { Parameters = parameters; StatusString = "Ready"; ReportsProgress = false; SupportsCancellation = false; } public override Map Generate() { if( Finished ) return Result; try { StatusString = "Generating"; FlatMapGenParameters p = (FlatMapGenParameters)Parameters; int layer = Parameters.MapWidth*Parameters.MapLength; Map map = new Map( null, Parameters.MapWidth, Parameters.MapLength, Parameters.MapHeight, true ); int offset = 0; if( p.BedrockThickness > 0 ) { int bedrockBlocks = layer*p.BedrockThickness; map.Blocks.MemSet( (byte)p.BedrockBlock, 0, bedrockBlocks ); offset += bedrockBlocks; } int rockBlocks = layer*(Parameters.MapHeight/2 + p.GroundLevelOffset - p.BedrockThickness - p.SoilThickness - p.SurfaceThickness); map.Blocks.MemSet( (byte)p.DeepBlock, offset, rockBlocks ); offset += rockBlocks; if( p.SoilThickness > 0 ) { int soilBlocks = layer*p.SoilThickness; map.Blocks.MemSet( (byte)p.ShallowBlock, offset, soilBlocks ); offset += soilBlocks; } if( p.SurfaceThickness > 0 ) { int surfaceBlocks = layer*p.SurfaceThickness; map.Blocks.MemSet( (byte)p.SurfaceBlock, offset, surfaceBlocks ); offset += surfaceBlocks; } if( p.AirBlock != Block.Air ) { map.Blocks.MemSet( (byte)p.AirBlock, offset, map.Blocks.Length - offset ); } Result = map; StatusString = "Done"; return map; } finally { Finished = true; } } } }
{ "content_hash": "7a2d74e81be0d3dbf832835a41ec77ac", "timestamp": "", "source": "github", "line_count": 271, "max_line_length": 117, "avg_line_length": 36.760147601476014, "alnum_prop": 0.5306163420999799, "repo_name": "111WARLOCK111/Caznowl-Cube-Zombie", "id": "9c31a92adb59f36e2fc84c4f0d927c6461d5f949", "size": "9964", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "fCraft/MapGeneration/FlatMapGen.cs", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C#", "bytes": "3046285" } ], "symlink_target": "" }
require File.dirname(__FILE__) + '/../spec_helper' describe <%= controller_class_name %>Controller do before(:each) do @<%= file_name %> = mock_model(<%= class_name %>, :to_param => '1') @<%= nesting_owner %> = mock_model(<%= nesting_owner_class %>, :<%= table_name %> => [@<%= file_name %>], :to_param => '2') <%= nesting_owner_class %>.stub!(:find).with('2').and_return(@<%= nesting_owner %>) end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with(:all).and_return([@<%= file_name %>]) end def do_get get :index, :<%= nesting_owner %>_id => '2' end it "should be successful" do do_get response.should be_success end it "should assign the found <%= nesting_owner %> for the view" do do_get assigns[:<%= nesting_owner %>].should == @<%= nesting_owner %> end it "should render index template" do do_get response.should render_template('index') end it "should find all <%= table_name %> owned by <%= nesting_owner %>" do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with(:all).and_return([@<%= file_name %>]) do_get end it "should assign the found <%= table_name %> for the view" do do_get assigns[:<%= table_name %>].should == [@<%= file_name %>] end end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>.xml" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).and_return([@<%= file_name %>]) end def do_get @<%= nesting_owner %>.<%= table_name %>.stub!(:to_xml).and_return("XML") @<%= file_name %>.stub!(:to_xml).and_return("XML") @request.env["HTTP_ACCEPT"] = "application/xml" get :index, :<%= nesting_owner %>_id => '2' end it "should be successful" do do_get response.should be_success end it "should find all <%= table_name %>" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:find).and_return([@<%= file_name %>]) do_get end it "should render the found <%= table_name %> as xml" do @<%= file_name %>.should_receive(:to_xml).and_return("XML") do_get end end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>/1" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with('1').and_return(@<%= file_name %>) end def do_get get :show, :<%= nesting_owner %>_id => '2', :id => '1' end it "should be successful" do do_get response.should be_success end it "should render show template" do do_get response.should render_template('show') end it "should find the <%= file_name %> requested" do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with('1').and_return(@<%= file_name %>) do_get end it "should assign the found <%= file_name %> for the view" do do_get assigns[:<%= file_name %>].should equal(@<%= file_name %>) end it "should assign the found <%= nesting_owner %> for the view" do do_get assigns[:<%= nesting_owner %>].should == @<%= nesting_owner %> end end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>/1.xml" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with('1').and_return(@<%= file_name %>) end def do_get @request.env["HTTP_ACCEPT"] = "application/xml" get :show, :<%= nesting_owner %>_id => '2', :id => '1' end it "should be successful" do do_get response.should be_success end it "should find the <%= file_name %> requested" do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).with('1').and_return(@<%= file_name %>) do_get end it "should render the found <%= file_name %> as xml" do @<%= file_name %>.stub!(:to_xml).and_return("XML") do_get response.body.should == "XML" end end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>/new" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:build).and_return(@<%= file_name %>) end def do_get get :new, :<%= nesting_owner %>_id => '2' end it "should be successful" do do_get response.should be_success end it "should render new template" do do_get response.should render_template('new') end it "should create an new <%= file_name %>" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:build).and_return(@<%= file_name %>) do_get end it "should not save the new <%= file_name %>" do @<%= file_name %>.should_not_receive(:save) do_get end it "should assign the new <%= file_name %> for the view" do do_get assigns[:<%= file_name %>].should equal(@<%= file_name %>) end it "should assign the <%= nesting_owner_class %> for the view" do do_get assigns[:<%= nesting_owner %>].should equal(@<%= nesting_owner %>) end end describe "handling GET /<%= nesting_owner %>s/:<%= nesting_owner %>_id/<%= table_name %>/1/edit" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).and_return(@<%= file_name %>) end def do_get get :edit, :<%= nesting_owner %>_id => '2', :id => '1' end it "should be successful" do do_get response.should be_success end it "should render edit template" do do_get response.should render_template('edit') end it "should find the <%= file_name %> requested" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:find).with('1').and_return(@<%= file_name %>) do_get end it "should assign the found <%= class_name %> for the view" do do_get assigns[:<%= file_name %>].should equal(@<%= file_name %>) end it "should assign the <%= nesting_owner_class %> for the view" do do_get assigns[:<%= nesting_owner %>].should equal(@<%= nesting_owner %>) end end describe "handling POST /<%= nesting_owner.pluralize %>/:<%= nesting_owner %>_id/<%= table_name %>" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:build).and_return(@<%= file_name %>) end describe "with successful save" do def do_post @<%= file_name %>.should_receive(:save).and_return(true) post :create, :<%= nesting_owner %>_id => '2', :<%= file_name %> => {} end it "should create a new <%= file_name %>" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:build).with({}).and_return(@<%= file_name %>) do_post end it "should redirect to the new <%= file_name %>" do do_post response.should redirect_to(<%= nesting_owner %>_<%= file_name %>_path(@<%= nesting_owner %>, @<%= file_name %>)) end end describe "with failed save" do def do_post @<%= file_name %>.should_receive(:save).and_return(false) post :create, :<%= nesting_owner %>_id => '2', :<%= file_name %> => {} end it "should re-render 'new'" do do_post response.should render_template('new') end end end describe "handling PUT /<%= nesting_owner.pluralize %>/:<%= nesting_owner %>_id/<%= table_name %>/1" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).and_return(@<%= file_name %>) end describe "with successful update" do def do_put @<%= file_name %>.should_receive(:update_attributes).and_return(true) put :update, :<%= nesting_owner %>_id => '2', :id => '1' end it "should find the <%= file_name %> requested" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:find).with('1').and_return(@<%= file_name %>) do_put end it "should update the found <%= file_name %>" do do_put assigns(:<%= file_name %>).should equal(@<%= file_name %>) end it "should assign the found <%= file_name %> for the view" do do_put assigns(:<%= file_name %>).should equal(@<%= file_name %>) end it "should assign the <%= nesting_owner %> for the view" do do_put assigns(:<%= nesting_owner %>).should equal(@<%= nesting_owner %>) end it "should redirect to the <%= file_name %>" do do_put response.should redirect_to(<%= nesting_owner %>_<%= file_name %>_url(@<%= nesting_owner %>, @<%= file_name %>)) end end describe "with failed update" do def do_put @<%= file_name %>.should_receive(:update_attributes).and_return(false) put :update, :<%= nesting_owner %>_id => '2', :id => '1' end it "should re-render 'edit'" do do_put response.should render_template('edit') end end end describe "handling DELETE /<%= nesting_owner.pluralize %>/:<%= nesting_owner %>_id/<%= table_name %>/1" do before(:each) do @<%= nesting_owner %>.<%= table_name %>.stub!(:find).and_return(@<%= file_name %>) @<%= file_name %>.stub!(:destroy).and_return(true) end def do_delete delete :destroy, :<%= nesting_owner %>_id => '2', :id => '1' end it "should find the <%= file_name %> requested" do @<%= nesting_owner %>.<%= table_name %>.should_receive(:find).with('1').and_return(@<%= file_name %>) do_delete end it "should call destroy on the found <%= file_name %>" do @<%= file_name %>.should_receive(:destroy) do_delete end it "should redirect to the <%= nesting_owner %>'s <%= table_name %> list" do do_delete response.should redirect_to(<%= nesting_owner %>_<%= table_name %>_url(@<%= nesting_owner %>)) end end end
{ "content_hash": "16bab2bcfd3bf05751ad99d0fad3a947", "timestamp": "", "source": "github", "line_count": 336, "max_line_length": 127, "avg_line_length": 29.827380952380953, "alnum_prop": 0.5475952903612054, "repo_name": "jeremyf/rspec_on_rails_nested_scaffold", "id": "9fdbcc2f0c9b979e41a78672f7280b57ba6f18e0", "size": "10022", "binary": false, "copies": "1", "ref": "refs/heads/rubygem", "path": "rails_generators/rspec_nested_scaffold/templates/controller_spec.rb", "mode": "33188", "license": "mit", "language": [ { "name": "Ruby", "bytes": "30345" } ], "symlink_target": "" }
var express = require('express'); var webpack = require('webpack'); var config = require('./src/config'); var webpackConfig = require('./webpack.config.dev'); var compiler = webpack(webpackConfig); var host = config.host || 'localhost'; var port = (config.port + 1) || 3001; var serverOptions = { contentBase: 'http://' + host + ':' + port, quiet: true, noInfo: true, hot: true, inline: true, lazy: false, publicPath: webpackConfig.output.publicPath, headers: {'Access-Control-Allow-Origin': '*'}, stats: {colors: true} }; var app = express(); app.use(require('webpack-dev-middleware')(compiler, serverOptions)); app.use(require('webpack-hot-middleware')(compiler)); app.listen(port, function(err) { if(err) { return console.error(err); } console.info('==> 🚧 Webpack development server listening on port %s', port); });
{ "content_hash": "c810e80aff66f4400ab5b3e9f17714ee", "timestamp": "", "source": "github", "line_count": 33, "max_line_length": 79, "avg_line_length": 25.90909090909091, "alnum_prop": 0.6701754385964912, "repo_name": "zebapy/react-redux-parse-server", "id": "e5f316382c9106020f8ed58e6d3998fcb92da4d0", "size": "858", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "webpack-dev-server.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "35280" } ], "symlink_target": "" }
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head> <meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/> <meta http-equiv="X-UA-Compatible" content="IE=9"/> <meta name="generator" content="Doxygen 1.8.9.1"/> <title>V8 API Reference Guide for node.js v0.8.28: v8::ExternalAsciiStringResourceImpl Class Reference</title> <link href="tabs.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="jquery.js"></script> <script type="text/javascript" src="dynsections.js"></script> <link href="search/search.css" rel="stylesheet" type="text/css"/> <script type="text/javascript" src="search/searchdata.js"></script> <script type="text/javascript" src="search/search.js"></script> <script type="text/javascript"> $(document).ready(function() { init_search(); }); </script> <link href="doxygen.css" rel="stylesheet" type="text/css" /> </head> <body> <div id="top"><!-- do not remove this div, it is closed by doxygen! --> <div id="titlearea"> <table cellspacing="0" cellpadding="0"> <tbody> <tr style="height: 56px;"> <td style="padding-left: 0.5em;"> <div id="projectname">V8 API Reference Guide for node.js v0.8.28 </div> </td> </tr> </tbody> </table> </div> <!-- end header part --> <!-- Generated by Doxygen 1.8.9.1 --> <script type="text/javascript"> var searchBox = new SearchBox("searchBox", "search",false,'Search'); </script> <div id="navrow1" class="tabs"> <ul class="tablist"> <li><a href="index.html"><span>Main&#160;Page</span></a></li> <li><a href="namespaces.html"><span>Namespaces</span></a></li> <li class="current"><a href="annotated.html"><span>Classes</span></a></li> <li><a href="files.html"><span>Files</span></a></li> <li><a href="examples.html"><span>Examples</span></a></li> <li> <div id="MSearchBox" class="MSearchBoxInactive"> <span class="left"> <img id="MSearchSelect" src="search/mag_sel.png" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" alt=""/> <input type="text" id="MSearchField" value="Search" accesskey="S" onfocus="searchBox.OnSearchFieldFocus(true)" onblur="searchBox.OnSearchFieldFocus(false)" onkeyup="searchBox.OnSearchFieldChange(event)"/> </span><span class="right"> <a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a> </span> </div> </li> </ul> </div> <div id="navrow2" class="tabs2"> <ul class="tablist"> <li><a href="annotated.html"><span>Class&#160;List</span></a></li> <li><a href="classes.html"><span>Class&#160;Index</span></a></li> <li><a href="hierarchy.html"><span>Class&#160;Hierarchy</span></a></li> <li><a href="functions.html"><span>Class&#160;Members</span></a></li> </ul> </div> <!-- window showing the filter options --> <div id="MSearchSelectWindow" onmouseover="return searchBox.OnSearchSelectShow()" onmouseout="return searchBox.OnSearchSelectHide()" onkeydown="return searchBox.OnSearchSelectKey(event)"> </div> <!-- iframe showing the search results (closed by default) --> <div id="MSearchResultsWindow"> <iframe src="javascript:void(0)" frameborder="0" name="MSearchResults" id="MSearchResults"> </iframe> </div> <div id="nav-path" class="navpath"> <ul> <li class="navelem"><a class="el" href="namespacev8.html">v8</a></li><li class="navelem"><a class="el" href="classv8_1_1_external_ascii_string_resource_impl.html">ExternalAsciiStringResourceImpl</a></li> </ul> </div> </div><!-- top --> <div class="header"> <div class="summary"> <a href="#pub-methods">Public Member Functions</a> &#124; <a href="classv8_1_1_external_ascii_string_resource_impl-members.html">List of all members</a> </div> <div class="headertitle"> <div class="title">v8::ExternalAsciiStringResourceImpl Class Reference</div> </div> </div><!--header--> <div class="contents"> <div class="dynheader"> Inheritance diagram for v8::ExternalAsciiStringResourceImpl:</div> <div class="dyncontent"> <div class="center"> <img src="classv8_1_1_external_ascii_string_resource_impl.png" usemap="#v8::ExternalAsciiStringResourceImpl_map" alt=""/> <map id="v8::ExternalAsciiStringResourceImpl_map" name="v8::ExternalAsciiStringResourceImpl_map"> <area href="classv8_1_1_string_1_1_external_ascii_string_resource.html" alt="v8::String::ExternalAsciiStringResource" shape="rect" coords="0,56,232,80"/> <area href="classv8_1_1_string_1_1_external_string_resource_base.html" alt="v8::String::ExternalStringResourceBase" shape="rect" coords="0,0,232,24"/> </map> </div></div> <table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pub-methods"></a> Public Member Functions</h2></td></tr> <tr class="memitem:ad43442534df30aebaf0125ba12aef925"><td class="memItemLeft" align="right" valign="top"><a class="anchor" id="ad43442534df30aebaf0125ba12aef925"></a> &#160;</td><td class="memItemRight" valign="bottom"><b>ExternalAsciiStringResourceImpl</b> (const char *<a class="el" href="classv8_1_1_external_ascii_string_resource_impl.html#a39719832d6d06fbfd8a86cf1cd6f9d6f">data</a>, size_t <a class="el" href="classv8_1_1_external_ascii_string_resource_impl.html#a8f37b80039c1ef29b0c755354a11424a">length</a>)</td></tr> <tr class="separator:ad43442534df30aebaf0125ba12aef925"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:a39719832d6d06fbfd8a86cf1cd6f9d6f"><td class="memItemLeft" align="right" valign="top">const char *&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classv8_1_1_external_ascii_string_resource_impl.html#a39719832d6d06fbfd8a86cf1cd6f9d6f">data</a> () const </td></tr> <tr class="separator:a39719832d6d06fbfd8a86cf1cd6f9d6f"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="memitem:a8f37b80039c1ef29b0c755354a11424a"><td class="memItemLeft" align="right" valign="top">size_t&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classv8_1_1_external_ascii_string_resource_impl.html#a8f37b80039c1ef29b0c755354a11424a">length</a> () const </td></tr> <tr class="separator:a8f37b80039c1ef29b0c755354a11424a"><td class="memSeparator" colspan="2">&#160;</td></tr> <tr class="inherit_header pub_methods_classv8_1_1_string_1_1_external_ascii_string_resource"><td colspan="2" onclick="javascript:toggleInherit('pub_methods_classv8_1_1_string_1_1_external_ascii_string_resource')"><img src="closed.png" alt="-"/>&#160;Public Member Functions inherited from <a class="el" href="classv8_1_1_string_1_1_external_ascii_string_resource.html">v8::String::ExternalAsciiStringResource</a></td></tr> <tr class="memitem:acd8790ae14be1b90794b363d24a147d0 inherit pub_methods_classv8_1_1_string_1_1_external_ascii_string_resource"><td class="memItemLeft" align="right" valign="top">virtual&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classv8_1_1_string_1_1_external_ascii_string_resource.html#acd8790ae14be1b90794b363d24a147d0">~ExternalAsciiStringResource</a> ()</td></tr> <tr class="separator:acd8790ae14be1b90794b363d24a147d0 inherit pub_methods_classv8_1_1_string_1_1_external_ascii_string_resource"><td class="memSeparator" colspan="2">&#160;</td></tr> </table><table class="memberdecls"> <tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="inherited"></a> Additional Inherited Members</h2></td></tr> <tr class="inherit_header pro_methods_classv8_1_1_string_1_1_external_string_resource_base"><td colspan="2" onclick="javascript:toggleInherit('pro_methods_classv8_1_1_string_1_1_external_string_resource_base')"><img src="closed.png" alt="-"/>&#160;Protected Member Functions inherited from <a class="el" href="classv8_1_1_string_1_1_external_string_resource_base.html">v8::String::ExternalStringResourceBase</a></td></tr> <tr class="memitem:af4720342ae31e1ab4656df3f15d069c0 inherit pro_methods_classv8_1_1_string_1_1_external_string_resource_base"><td class="memItemLeft" align="right" valign="top">virtual void&#160;</td><td class="memItemRight" valign="bottom"><a class="el" href="classv8_1_1_string_1_1_external_string_resource_base.html#af4720342ae31e1ab4656df3f15d069c0">Dispose</a> ()</td></tr> <tr class="separator:af4720342ae31e1ab4656df3f15d069c0 inherit pro_methods_classv8_1_1_string_1_1_external_string_resource_base"><td class="memSeparator" colspan="2">&#160;</td></tr> </table> <h2 class="groupheader">Member Function Documentation</h2> <a class="anchor" id="a39719832d6d06fbfd8a86cf1cd6f9d6f"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">const char* v8::ExternalAsciiStringResourceImpl::data </td> <td>(</td> <td class="paramname"></td><td>)</td> <td> const</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">virtual</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>The string data from the underlying buffer. </p> <p>Implements <a class="el" href="classv8_1_1_string_1_1_external_ascii_string_resource.html#adeb99e8c8c630e2dac5ad76476249d2f">v8::String::ExternalAsciiStringResource</a>.</p> </div> </div> <a class="anchor" id="a8f37b80039c1ef29b0c755354a11424a"></a> <div class="memitem"> <div class="memproto"> <table class="mlabels"> <tr> <td class="mlabels-left"> <table class="memname"> <tr> <td class="memname">size_t v8::ExternalAsciiStringResourceImpl::length </td> <td>(</td> <td class="paramname"></td><td>)</td> <td> const</td> </tr> </table> </td> <td class="mlabels-right"> <span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">virtual</span></span> </td> </tr> </table> </div><div class="memdoc"> <p>The number of ASCII characters in the string. </p> <p>Implements <a class="el" href="classv8_1_1_string_1_1_external_ascii_string_resource.html#aeecccc52434c2057d3dc5c9732458a8e">v8::String::ExternalAsciiStringResource</a>.</p> </div> </div> <hr/>The documentation for this class was generated from the following file:<ul> <li>deps/v8/include/<a class="el" href="v8_8h_source.html">v8.h</a></li> </ul> </div><!-- contents --> <!-- start footer part --> <hr class="footer"/><address class="footer"><small> Generated on Tue Aug 11 2015 23:48:33 for V8 API Reference Guide for node.js v0.8.28 by &#160;<a href="http://www.doxygen.org/index.html"> <img class="footer" src="doxygen.png" alt="doxygen"/> </a> 1.8.9.1 </small></address> </body> </html>
{ "content_hash": "246a866637cf117fe3c920a19aecf204", "timestamp": "", "source": "github", "line_count": 192, "max_line_length": 422, "avg_line_length": 57.088541666666664, "alnum_prop": 0.6951920445214853, "repo_name": "v8-dox/v8-dox.github.io", "id": "be92c047a3cfb27403e0110c68f3a4ea397d447e", "size": "10961", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "895c364/html/classv8_1_1_external_ascii_string_resource_impl.html", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
#ifndef EXECDEBUG_H #define EXECDEBUG_H #include "executor/executor.h" #include "nodes/print.h" /* ---------------------------------------------------------------- * debugging defines. * * If you want certain debugging behaviour, then #define * the variable to 1. No need to explicitly #undef by default, * since we can use -D compiler options to enable features. * - thomas 1999-02-20 * ---------------------------------------------------------------- */ /* ---------------- * EXEC_NESTLOOPDEBUG is a flag which turns on debugging of the * nest loop node by NL_printf() and ENL_printf() in nodeNestloop.c * ---------------- #undef EXEC_NESTLOOPDEBUG */ /* ---------------- * EXEC_EVALDEBUG is a flag which turns on debugging of * ExecEval and ExecTargetList() stuff by EV_printf() in execQual.c * ---------------- #undef EXEC_EVALDEBUG */ /* ---------------- * EXEC_SORTDEBUG is a flag which turns on debugging of * the ExecSort() stuff by SO_printf() in nodeSort.c * ---------------- #undef EXEC_SORTDEBUG */ /* ---------------- * EXEC_MERGEJOINDEBUG is a flag which turns on debugging of * the ExecMergeJoin() stuff by MJ_printf() in nodeMergejoin.c * ---------------- #undef EXEC_MERGEJOINDEBUG */ /* ---------------------------------------------------------------- * #defines controlled by above definitions * * Note: most of these are "incomplete" because I didn't * need the ones not defined. More should be added * only as necessary -cim 10/26/89 * ---------------------------------------------------------------- */ #define T_OR_F(b) ((b) ? "true" : "false") #define NULL_OR_TUPLE(slot) (TupIsNull(slot) ? "null" : "a tuple") /* ---------------- * nest loop debugging defines * ---------------- */ #ifdef EXEC_NESTLOOPDEBUG #define NL_nodeDisplay(l) nodeDisplay(l) #define NL_printf(s) printf(s) #define NL1_printf(s, a) printf(s, a) #define ENL1_printf(message) printf("ExecNestLoop: %s\n", message) #else #define NL_nodeDisplay(l) #define NL_printf(s) #define NL1_printf(s, a) #define ENL1_printf(message) #endif /* EXEC_NESTLOOPDEBUG */ /* ---------------- * exec eval / target list debugging defines * ---------------- */ #ifdef EXEC_EVALDEBUG #define EV_nodeDisplay(l) nodeDisplay(l) #define EV_printf(s) printf(s) #define EV1_printf(s, a) printf(s, a) #else #define EV_nodeDisplay(l) #define EV_printf(s) #define EV1_printf(s, a) #endif /* EXEC_EVALDEBUG */ /* ---------------- * sort node debugging defines * ---------------- */ #ifdef EXEC_SORTDEBUG #define SO_nodeDisplay(l) nodeDisplay(l) #define SO_printf(s) printf(s) #define SO1_printf(s, p) printf(s, p) #else #define SO_nodeDisplay(l) #define SO_printf(s) #define SO1_printf(s, p) #endif /* EXEC_SORTDEBUG */ /* ---------------- * merge join debugging defines * ---------------- */ #ifdef EXEC_MERGEJOINDEBUG #define MJ_nodeDisplay(l) nodeDisplay(l) #define MJ_printf(s) printf(s) #define MJ1_printf(s, p) printf(s, p) #define MJ2_printf(s, p1, p2) printf(s, p1, p2) #define MJ_debugtup(slot) debugtup(slot, NULL) #define MJ_dump(state) ExecMergeTupleDump(state) #define MJ_DEBUG_COMPARE(res) \ MJ1_printf(" MJCompare() returns %d\n", (res)) #define MJ_DEBUG_QUAL(clause, res) \ MJ2_printf(" ExecQual(%s, econtext) returns %s\n", \ CppAsString(clause), T_OR_F(res)) #define MJ_DEBUG_PROC_NODE(slot) \ MJ2_printf(" %s = ExecProcNode(...) returns %s\n", \ CppAsString(slot), NULL_OR_TUPLE(slot)) #else #define MJ_nodeDisplay(l) #define MJ_printf(s) #define MJ1_printf(s, p) #define MJ2_printf(s, p1, p2) #define MJ_debugtup(slot) #define MJ_dump(state) #define MJ_DEBUG_COMPARE(res) #define MJ_DEBUG_QUAL(clause, res) #define MJ_DEBUG_PROC_NODE(slot) #endif /* EXEC_MERGEJOINDEBUG */ #endif /* ExecDebugIncluded */
{ "content_hash": "f5bd28ee9f84aecb75e7835da566fc4a", "timestamp": "", "source": "github", "line_count": 134, "max_line_length": 68, "avg_line_length": 28.76865671641791, "alnum_prop": 0.585473411154345, "repo_name": "chronos38/lupus-core", "id": "64bd14017ed6319371543640a910a2625317eeed", "size": "4426", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Source/3rdParty/postgres/server/executor/execdebug.h", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "8107095" }, { "name": "C#", "bytes": "7202" }, { "name": "C++", "bytes": "101525928" }, { "name": "Objective-C", "bytes": "26536" }, { "name": "Perl", "bytes": "6080" }, { "name": "Shell", "bytes": "2289" } ], "symlink_target": "" }
package hope.stock.exception; public class ErrorInfo<T> { public static final Integer OK = 0; public static final Integer ERROR = 100; private Integer code; private String message; private String url; private T data; public String getUrl() { return url; } public void setUrl(String url) { this.url = url; } public static Integer getOK() { return OK; } public static Integer getERROR() { return ERROR; } public Integer getCode() { return code; } public void setCode(Integer code) { this.code = code; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public T getData() { return data; } public void setData(T data) { this.data = data; } }
{ "content_hash": "198d50ca3487224c380eae320869f769", "timestamp": "", "source": "github", "line_count": 53, "max_line_length": 44, "avg_line_length": 17.056603773584907, "alnum_prop": 0.5719026548672567, "repo_name": "moneyice/hope", "id": "3e1afb22828afc007fd48389d3b145e74ac21cb5", "size": "904", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "stock-microservice/src/main/java/hope/stock/exception/ErrorInfo.java", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "44" }, { "name": "Dockerfile", "bytes": "252" }, { "name": "HTML", "bytes": "12749" }, { "name": "Java", "bytes": "194264" }, { "name": "JavaScript", "bytes": "3182" } ], "symlink_target": "" }
import { module, test } from 'qunit'; import { setupRenderingTest } from 'ember-qunit'; import { render } from '@ember/test-helpers'; import hbs from 'htmlbars-inline-precompile'; module('Integration | Component | slds modal', function(hooks) { setupRenderingTest(hooks); test('it renders', async function(assert) { await render(hbs`{{slds-modal}}`); assert.dom('section[role=dialog]').doesNotExist(); }); });
{ "content_hash": "1fa77ca5a4e5b3dd8090b4334febfe97", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 64, "avg_line_length": 32.76923076923077, "alnum_prop": 0.6948356807511737, "repo_name": "jonnii/ember-cli-lightning-design-system", "id": "76304b0d669330b2fe484b017e20291d0aaca848", "size": "426", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tests/integration/components/slds-modal-test.js", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "222" }, { "name": "HTML", "bytes": "165465" }, { "name": "JavaScript", "bytes": "143267" } ], "symlink_target": "" }
package fr.javatronic.blog.massive.annotation2; import fr.javatronic.blog.processor.Annotation_002; @Annotation_002 public class Class_982 { }
{ "content_hash": "3176753f12921b9f43965a81d566d7e7", "timestamp": "", "source": "github", "line_count": 7, "max_line_length": 51, "avg_line_length": 20.714285714285715, "alnum_prop": 0.8068965517241379, "repo_name": "lesaint/experimenting-annotation-processing", "id": "5471c2a54caeb02ceafe3fb957e8f51f75326931", "size": "145", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "experimenting-rounds/massive-count-of-annotated-classes/src/main/java/fr/javatronic/blog/massive/annotation2/Class_982.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "1909421" }, { "name": "Shell", "bytes": "1605" } ], "symlink_target": "" }
package com.ggj.java.rpc.demo.netty.first.client; import com.ggj.java.rpc.demo.netty.first.client.handle.ClientDecoder; import com.ggj.java.rpc.demo.netty.first.client.handle.ClientEncoder; import com.ggj.java.rpc.demo.netty.first.client.handle.RpcClientHandler; import com.ggj.java.rpc.demo.netty.first.server.handle.ServerDecoder; import com.ggj.java.rpc.demo.netty.first.server.handle.ServerEncoder; import com.ggj.java.rpc.demo.netty.first.vo.RpcRequest; import com.ggj.java.rpc.demo.netty.first.vo.RpcResponse; import io.netty.bootstrap.Bootstrap; import io.netty.channel.ChannelFuture; import io.netty.channel.ChannelInitializer; import io.netty.channel.ChannelOption; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioServerSocketChannel; import io.netty.channel.socket.nio.NioSocketChannel; import lombok.extern.slf4j.Slf4j; import java.util.Map; import java.util.concurrent.ConcurrentHashMap; /** * @author gaoguangjin */ @Slf4j public class ClientProvider { private static Map<String, RpcInvokeFutureResult> rpcResultMap = new ConcurrentHashMap<>(); private static ChannelFuture channelFuture = null; static { init(); } private static void init() { startNettyClient(); } private static void startNettyClient() { Bootstrap clentBootstrap = new Bootstrap(); NioEventLoopGroup group = new NioEventLoopGroup(); clentBootstrap.group(group).channel(NioSocketChannel.class) .handler(new ChannelInitializer<SocketChannel>() { @Override protected void initChannel(SocketChannel ch) throws Exception { /** /**自定义协议解决粘包 begin**/ ch.pipeline().addLast(new ClientEncoder()); ch.pipeline().addLast(new ClientDecoder()); /**自定义协议解决粘包 end**/ ch.pipeline().addLast(new RpcClientHandler()); } }).option(ChannelOption.SO_KEEPALIVE, true); try { channelFuture = clentBootstrap.connect("127.0.0.1", 8000).sync(); } catch (InterruptedException e) { log.error("init netty client error", e); } } public static ChannelFuture getChannelFuture() { return channelFuture; } /** * 发送消息和返回future结果 * * @param * @param requestId * @return */ public static RpcInvokeFutureResult sendAndGetRpcInvokeFutureResult(RpcRequest rpcRequest, String requestId) { RpcInvokeFutureResult rpcInvokeFutureResult = new RpcInvokeFutureResult(requestId,rpcResultMap); getChannelFuture().channel().writeAndFlush(rpcRequest); ClientProvider.rpcResultMap.put(requestId, rpcInvokeFutureResult); return rpcInvokeFutureResult; } public static void putRpcResponse(RpcResponse response) { RpcInvokeFutureResult rpcInvokeFutureResult = rpcResultMap.get(response.getRequestId()); if (rpcInvokeFutureResult != null) { rpcInvokeFutureResult.put(response); } } }
{ "content_hash": "5a185756f727292c7e461c35cb243f10", "timestamp": "", "source": "github", "line_count": 87, "max_line_length": 114, "avg_line_length": 36.724137931034484, "alnum_prop": 0.6785602503912364, "repo_name": "ggj2010/javabase", "id": "12238e85bd6f8ffec4a3dd2bc3dd90722b1eb3c3", "size": "3249", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "dailycode/src/main/java/com/ggj/java/rpc/demo/netty/first/client/ClientProvider.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "FreeMarker", "bytes": "26498" }, { "name": "HTML", "bytes": "23879" }, { "name": "Java", "bytes": "1422035" }, { "name": "JavaScript", "bytes": "422468" }, { "name": "Vue", "bytes": "391" } ], "symlink_target": "" }
%% Rapid-Prototyping-System basic startup % This script will be executed every MATLAB startup and triggers first svn % checkout during the first startup with RPS. This script will be installed % using the *.exe installation file and triggers everything needed for % installing/setup. RPS itself will be loaded from a given SVN-Server using % a custom URL/Credentials. %% Basic Startup Process % % <<rpsStart.png>> % % Modified: 17.06.2015, Daniel Schneider, "Bugfix for custom installation path. After Re-Install still MATLAB Preferences availabe for old version! % Check for new Version and re-initialize all preferences!" % Modified: 11.07.2015, Daniel Schneider, "New Version because of bugfix for svn check credentials in combination with proxy settings" try %% Initialize RPS % Setup basic Paths and Preferences needed. disp('### Initializing Rapid-Prototyping-System...'); % Version version = 1.53; % Initialize PrefGroup pref_group = 'RapidPrototypingSystem'; % Check if newer version if ispref(pref_group,'version') old_version = getpref(pref_group, 'version'); old_version = strrep(old_version,'v',''); old_version = str2num(old_version); % Check if older if version > old_version % new newVersion = true; else newVersion = false; end else % New Version newVersion = true; end % Reset HomeDir every Startup scriptPath = mfilename('fullpath'); [path, name, ext] = fileparts(scriptPath); % Check if current script is in rps/fcn/... if isequal(exist(fullfile(path,'decryptCredentials.p'),'file'),6) % Wrong Directory, find homeDir path = strrep(path,'\rps\fcn',''); end % Create Pref home dir setpref(pref_group,'HomeDir',path); % Check Pref FirstStartup isFirstStartup = false; if ~ispref(pref_group, 'FirstStartup') setpref(pref_group,'FirstStartup',true); % Save FirstStartup info isFirstStartup = true; end % Check Pref Reminder if ~ispref(pref_group, 'PreferencesReminder') setpref(pref_group,'PreferencesReminder', true); end % Check Pref Conn Reminder if ~ispref(pref_group, 'SVNConnectReminder') setpref(pref_group,'SVNConnectReminder', true); end % Get HomeDir path = getpref(pref_group,'HomeDir'); % Set SVN Bin pref setpref(pref_group,'SvnBinaries', fullfile(path, 'rps', 'etc', 'svn', 'bin')); % Set RapidPrototypingSystem version pref setpref(pref_group, 'version', ['v' num2str(version)]); % Check if login details should be deleted if ispref('RPSuserconfig', 'credentialsSaved') if ~getpref('RPSuserconfig', 'credentialsSaved') % Delete auth.mat.aes if availabe if isequal(exist(fullfile(path,'auth.mat.aes'),'file'),2) % Delete delete(fullfile(path,'auth.mat.aes')); end end end % Add RPS Paths to MATLAB Search Path addRpsPaths; rehash; % Refresh Simulink Browser libBrow = LibraryBrowser.StandaloneBrowser; libBrow.refreshLibraryBrowser; % Check if Shortcuts exist categories = GetShortcutCategories(); shortcutExists = false; supportPackageExists = false; for i=1:1:length(categories) if strcmp(categories{i},'Rapid-Prototyping-System') shortcutExists = true; end if strcmp(categories{i},'Support Packages') supportPackageExists = true; end end % Delete old shortcuts if shortcutExists and new Version of System if (shortcutExists || supportPackageExists) && newVersion % Get RPS Shortcuts and delete if shortcutExists rpsShortcuts = GetShortcutNames('Rapid-Prototyping-System'); for rpsShort = 1:1:length(rpsShortcuts) RemoveShortcuts('Rapid-Prototyping-System', rpsShortcuts{rpsShort}); end end % Get SupportPackage shortcuts and delete if supportPackageExists supportPackageShortcuts = GetShortcutNames('Support Packages'); for supportShort = 1:1:length(supportPackageShortcuts) RemoveShortcuts('Support Packages', supportPackageShortcuts{supportShort}); end end end if ~shortcutExists || isFirstStartup || newVersion % Icons path iconsPath = fullfile(path, 'rps', 'etc', 'icons_18'); % Create ShortcutCategory rps = 'Rapid-Prototyping-System'; supportPkg = 'Support Packages'; AddShortcutCategories({rps}); AddShortcutCategories({supportPkg}); % Add shortcut SupportPkg custom install AddShortcut('Install Support Package','supportPkg_url();',... fullfile(iconsPath,'BMW-neg_nav_more_18.png'), supportPkg); % Add shortcut SupportPkg template supportPkg AddShortcut('Create Template SupportPkg','disp(''TBA'');',... fullfile(iconsPath,'BMW-neg_com_toolbox_18.png'), supportPkg); % Add shortcut SupportPkg xmakefile setup AddShortcut('XMakefile Configuration','xmakefilesetup();',... fullfile(iconsPath,'Matlab_Logo.png'), supportPkg); % Add shortcut SupportPkg Install Arduino Package AddShortcut('Install Arduino',... 'open(fullfile(getpref(''RapidPrototypingSystem'',''HomeDir''),''rps'',''etc'',''arduino.mlpkginstall''));',... fullfile(iconsPath,'arduino_logo.png'), supportPkg); % Add shortcut SupportPkg Install custom TI package AddShortcut('Install TI TM4C1294XL',... 'hw_targetInstaller_tm4c1294();',... fullfile(iconsPath,'ti_logo.png'), supportPkg); % Add GUI Shortcut AddShortcut('Rapid-Prototyping-System','rps_GraphicalUserInterface()',... fullfile(iconsPath,'bmw_icon.png'), rps); % Add GUI Shortcut (offline mode) AddShortcut('Rapid-Prototyping-System (offline)','rps_GraphicalUserInterface({true})',... fullfile(iconsPath,'bmw_icon.png'), rps); % Add Legacy Shortcut AddShortcut('Legacy Code Tool','legacyCodeHelper()',... fullfile(iconsPath,'c_logo.png'), rps); % Add Options Shortcut AddShortcut('Preferences','options()',... fullfile(iconsPath,'BMW-neg_com_settings_18.png'), rps); % Add Documentation shortcut AddShortcut('Documentation','doc;',... fullfile(iconsPath,'BMW-neg_com_help_18.png'), rps); % Add About shortcut AddShortcut('About','about;',... fullfile(iconsPath,'BMW-neg_com_info_18.png'), rps); % Add CD to RPS Shortcut cdDirIcon = fullfile(iconsPath, 'folder_icon.png'); AddShortcut('RPS Folder','cd(getpref(''RapidPrototypingSystem'', ''HomeDir''));',... cdDirIcon, rps); % Add CD to Blocks Shortcut AddShortcut('Blocks Folder','cd(fullfile(getpref(''RapidPrototypingSystem'', ''HomeDir''),''blocks''));',... cdDirIcon, rps); % Add shortcut RPS in Explorer AddShortcut('Open RPS in Explorer','dos(sprintf(''explorer %s'',getpref(''RapidPrototypingSystem'',''HomeDir'')));',... cdDirIcon, rps); end % Check if SVN is connected to folders if isequal(exist(fullfile(path, 'rps', '.svn'),'dir'),7) && ... isequal(exist(fullfile(path, 'blocks', '.svn'),'dir'),7) && ... isequal(exist(fullfile(path, 'help', '.svn'),'dir'),7) setpref(pref_group,'SVNConnected', true); else setpref(pref_group,'SVNConnected', false); end % Question if first Startup, ask if preferences should be opened if (isFirstStartup || ~ispref('RPSuserconfig')) && getpref(pref_group, 'PreferencesReminder') choice = questdlg('No Userconfig for the RPS has been found. Do you want to start the preferences dialog?',... 'No RPS Userconfig Found!', 'Yes', 'No', 'Never ask again', 'Yes'); drawnow; pause(0.2); % Bugfix: 14.06.2015, Daniel Schneider, "Added wait becuase Common Bug after MATLAB dlgs" switch choice case 'Yes' % Run Preferences Dialog options; drawnow; pause(0.2); % Bugfix: 14.06.2015, Daniel Schneider, "Added wait becuase Common Bug after MATLAB dlgs" case 'Never ask again' setpref(pref_group,'PreferencesReminder', false); otherwise % do nothing end end %% Build Searchdatabase for help files %htmlFolder = fullfile(path,'help', 'html'); %builddocsearchdb(htmlFolder); % Clear WS clear; disp('### DONE!'); catch err %% Error disp('### ERROR: startup_rps.m failed!'); rethrow(err); end
{ "content_hash": "55ee9d9a21377af12cff7083fff3a586", "timestamp": "", "source": "github", "line_count": 238, "max_line_length": 151, "avg_line_length": 39.05042016806723, "alnum_prop": 0.6014633096621477, "repo_name": "dakmord/RPS", "id": "af4ad9c876c077b2efc4c48d184325c8c75165f9", "size": "9294", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "rps/fcn/startup_rps.m", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "7046" }, { "name": "C", "bytes": "168987" }, { "name": "C++", "bytes": "12657" }, { "name": "CSS", "bytes": "4091" }, { "name": "HTML", "bytes": "193271" }, { "name": "M", "bytes": "2241" }, { "name": "Matlab", "bytes": "402194" }, { "name": "XSLT", "bytes": "10049" } ], "symlink_target": "" }
package blobstorage import ( "context" "io" "istio.io/bots/policybot/pkg/pipeline" ) // Store defines how the bot interacts with a blob store type Store interface { io.Closer Bucket(name string) Bucket } // Bucket represents a group of blobs. type Bucket interface { Reader(ctx context.Context, path string) (io.ReadCloser, error) // ListPrefixes returns a slice of prefixes that begin with the input // prefix. This is roughly equivalent to a list of directories directly // under a given prefix, though in blob storage systems, directories // don't really exist. ListPrefixes(ctx context.Context, prefix string) ([]string, error) ListPrefixesProducer(ctx context.Context, prefix string) pipeline.Pipeline ListItemsProducer(ctx context.Context, prefix string) chan pipeline.OutResult // ListItems returns a slice of GCS object names that begin with the input // prefix. ListItems(ctx context.Context, prefix string) ([]string, error) }
{ "content_hash": "3f77edcd35591bb74e50a51f0029fc92", "timestamp": "", "source": "github", "line_count": 32, "max_line_length": 78, "avg_line_length": 30, "alnum_prop": 0.7645833333333333, "repo_name": "istio/bots", "id": "bb684ad958974bb16ad7527723dea4715fb766e6", "size": "1551", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "policybot/pkg/blobstorage/store.go", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Dockerfile", "bytes": "830" }, { "name": "Go", "bytes": "485089" }, { "name": "HTML", "bytes": "42870" }, { "name": "Makefile", "bytes": "10949" }, { "name": "Ruby", "bytes": "317" }, { "name": "SCSS", "bytes": "78095" }, { "name": "Shell", "bytes": "39155" }, { "name": "TypeScript", "bytes": "55801" } ], "symlink_target": "" }
package org.apache.batik.extension.svg; import org.apache.batik.anim.dom.SVGDOMImplementation; import org.apache.batik.dom.AbstractDocument; import org.apache.batik.dom.DomExtension; import org.apache.batik.dom.ExtensibleDOMImplementation; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * This is a Service interface for classes that want to extend the * functionality of the Dom, to support new tags in the rendering tree. * * @author <a href="mailto:thomas.deweese@kodak.com">Thomas DeWeese</a> * @version $Id: BatikDomExtension.java 1664314 2015-03-05 11:45:15Z lbernardo $ */ public class BatikDomExtension implements DomExtension, BatikExtConstants { /** * Return the priority of this Extension. Extensions are * registered from lowest to highest priority. So if for some * reason you need to come before/after another existing extension * make sure your priority is lower/higher than theirs. */ public float getPriority() { return 1.0f; } /** * This should return the individual or company name responsible * for the this implementation of the extension. */ public String getAuthor() { return "Thomas DeWeese"; } /** * This should contain a contact address (usually an e-mail address). */ public String getContactAddress() { return "deweese@apache.org"; } /** * This should return a URL where information can be obtained on * this extension. */ public String getURL() { return "http://xml.apache.org/batik"; } /** * Human readable description of the extension. * Perhaps that should be a resource for internationalization? * (although I suppose it could be done internally) */ public String getDescription() { return "Example extension to standard SVG shape tags"; } /** * This method should update the DomContext with support * for the tags in this extension. In some rare cases it may * be necessary to replace existing tag handlers, although this * is discouraged. * * @param di The ExtensibleDOMImplementation to register the * extension elements with. */ public void registerTags(ExtensibleDOMImplementation di) { di.registerCustomElementFactory (BATIK_EXT_NAMESPACE_URI, BATIK_EXT_REGULAR_POLYGON_TAG, new BatikRegularPolygonElementFactory()); di.registerCustomElementFactory (BATIK_EXT_NAMESPACE_URI, BATIK_EXT_STAR_TAG, new BatikStarElementFactory()); di.registerCustomElementFactory (BATIK_EXT_NAMESPACE_URI, BATIK_EXT_HISTOGRAM_NORMALIZATION_TAG, new BatikHistogramNormalizationElementFactory()); di.registerCustomElementFactory (BATIK_EXT_NAMESPACE_URI, BATIK_EXT_COLOR_SWITCH_TAG, new ColorSwitchElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_TEXT_TAG, new FlowTextElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_DIV_TAG, new FlowDivElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_PARA_TAG, new FlowParaElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_REGION_BREAK_TAG, new FlowRegionBreakElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_REGION_TAG, new FlowRegionElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_LINE_TAG, new FlowLineElementFactory()); di.registerCustomElementFactory (BATIK_12_NAMESPACE_URI, BATIK_EXT_FLOW_SPAN_TAG, new FlowSpanElementFactory()); } /** * To create a 'regularPolygon' element. */ protected static class BatikRegularPolygonElementFactory implements ExtensibleDOMImplementation.ElementFactory { public BatikRegularPolygonElementFactory() {} /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new BatikRegularPolygonElement (prefix, (AbstractDocument)doc); } } /** * To create a 'star' element. */ protected static class BatikStarElementFactory implements ExtensibleDOMImplementation.ElementFactory { public BatikStarElementFactory() {} /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new BatikStarElement(prefix, (AbstractDocument)doc); } } /** * To create a 'histogramNormalization' element. */ protected static class BatikHistogramNormalizationElementFactory implements ExtensibleDOMImplementation.ElementFactory { public BatikHistogramNormalizationElementFactory() {} /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new BatikHistogramNormalizationElement (prefix, (AbstractDocument)doc); } } /** * To create a 'colorSwitch' element. */ protected static class ColorSwitchElementFactory implements ExtensibleDOMImplementation.ElementFactory { public ColorSwitchElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new ColorSwitchElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowText' element. */ protected static class FlowTextElementFactory implements SVGDOMImplementation.ElementFactory { public FlowTextElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowTextElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowDiv' element. */ protected static class FlowDivElementFactory implements SVGDOMImplementation.ElementFactory { public FlowDivElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowDivElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowPara' element. */ protected static class FlowParaElementFactory implements SVGDOMImplementation.ElementFactory { public FlowParaElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowParaElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowRegionBreak' element. */ protected static class FlowRegionBreakElementFactory implements SVGDOMImplementation.ElementFactory { public FlowRegionBreakElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowRegionBreakElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowRegion' element. */ protected static class FlowRegionElementFactory implements SVGDOMImplementation.ElementFactory { public FlowRegionElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowRegionElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowLine' element. */ protected static class FlowLineElementFactory implements SVGDOMImplementation.ElementFactory { public FlowLineElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowLineElement(prefix, (AbstractDocument)doc); } } /** * To create a 'flowSpan' element. */ protected static class FlowSpanElementFactory implements SVGDOMImplementation.ElementFactory { public FlowSpanElementFactory() { } /** * Creates an instance of the associated element type. */ public Element create(String prefix, Document doc) { return new FlowSpanElement(prefix, (AbstractDocument)doc); } } }
{ "content_hash": "be621ba6f00135795a2de361b1b6ff79", "timestamp": "", "source": "github", "line_count": 294, "max_line_length": 80, "avg_line_length": 31.547619047619047, "alnum_prop": 0.630188679245283, "repo_name": "ggeorg/WebXView", "id": "651331a9efc2b1b0554d88dfa7e2c54f1a5281ac", "size": "10074", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "batik-1.8/sources/org/apache/batik/extension/svg/BatikDomExtension.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "165" }, { "name": "HTML", "bytes": "10729" }, { "name": "Java", "bytes": "11483426" } ], "symlink_target": "" }
Analytics using influx data
{ "content_hash": "a76119cb4290943163ca5cf6b8c4b4c1", "timestamp": "", "source": "github", "line_count": 1, "max_line_length": 27, "avg_line_length": 28, "alnum_prop": 0.8571428571428571, "repo_name": "vorbind/influx-analytics", "id": "8908b2898278735620ac6a7928d3a2cddbd00b48", "size": "47", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [ { "name": "PHP", "bytes": "54628" }, { "name": "Shell", "bytes": "112" } ], "symlink_target": "" }
from ray.rllib.algorithms.apex_ddpg import ( # noqa ApexDDPG as ApexDDPGTrainer, APEX_DDPG_DEFAULT_CONFIG, )
{ "content_hash": "76cab075a3f6467fc0ade02bb6b565a1", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 52, "avg_line_length": 29.5, "alnum_prop": 0.7288135593220338, "repo_name": "ray-project/ray", "id": "b254e05bd4217b7065454d91e44ced06595e6a9f", "size": "118", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "rllib/agents/ddpg/apex.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C", "bytes": "37490" }, { "name": "C++", "bytes": "5972422" }, { "name": "CSS", "bytes": "10912" }, { "name": "Cython", "bytes": "227477" }, { "name": "Dockerfile", "bytes": "20210" }, { "name": "HTML", "bytes": "30382" }, { "name": "Java", "bytes": "1160849" }, { "name": "JavaScript", "bytes": "1128" }, { "name": "Jinja", "bytes": "6371" }, { "name": "Jupyter Notebook", "bytes": "1615" }, { "name": "Makefile", "bytes": "234" }, { "name": "PowerShell", "bytes": "1114" }, { "name": "Python", "bytes": "19539109" }, { "name": "Shell", "bytes": "134583" }, { "name": "Starlark", "bytes": "334862" }, { "name": "TypeScript", "bytes": "190599" } ], "symlink_target": "" }
.. highlight:: django .. include:: meta-force_escape.rst HTML escapes a text. Applies HTML escaping to a string (see the :ref:`filter-escape` filter for details). In contrary to the `escape` filter, the `force_escape` filter is applied `immediately` and returns a new, escaped string. This is useful in the rare cases where you need multiple escaping or want to apply other filters to the escaped results. Normally, you want to use the :ref:`filter-escape` filter. For example:: {{ value|force_escape }} When the value is ``hel&lo`` then the output is ``hel&amp;lo``. .. seealso:: :ref:`filter-escape`
{ "content_hash": "ec28a0fa58d9139177fdd0f61529fc1a", "timestamp": "", "source": "github", "line_count": 19, "max_line_length": 70, "avg_line_length": 32.10526315789474, "alnum_prop": 0.7327868852459016, "repo_name": "erlanger-ru/erlanger-ru.meta", "id": "02f24d30fedd47c01ae96d6b985d4a5edd3df22b", "size": "610", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "doc/ref/filters/filter_force_escape.rst", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Emacs Lisp", "bytes": "23475" }, { "name": "Erlang", "bytes": "2829942" }, { "name": "JavaScript", "bytes": "6481630" }, { "name": "Perl", "bytes": "4349" }, { "name": "Python", "bytes": "11562" }, { "name": "Ruby", "bytes": "911" }, { "name": "Shell", "bytes": "43849" } ], "symlink_target": "" }
"""Transforms that wrap binary TensorFlow operations.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function from tensorflow.contrib.learn.python.learn.dataframe import series from tensorflow.contrib.learn.python.learn.dataframe import transform from tensorflow.python.framework import sparse_tensor from tensorflow.python.ops import math_ops # Each entry is a mapping from registered_name to operation. Each operation is # wrapped in a transform and then registered as a member function # `Series`.registered_name(). BINARY_TRANSFORMS = [("__eq__", math_ops.equal), ("__gt__", math_ops.greater), ("__ge__", math_ops.greater_equal), ("__lt__", math_ops.less), ("__le__", math_ops.less_equal), ("__mul__", math_ops.mul), ("__div__", math_ops.div), ("__truediv__", math_ops.truediv), ("__floordiv__", math_ops.floordiv), ("__mod__", math_ops.mod), ("pow", math_ops.pow)] _DOC_FORMAT_STRING = ("A `Transform` that wraps `{0}`. " "Documentation for `{0}`: \n\n {1}") class SeriesBinaryTransform(transform.TensorFlowTransform): """Parent class for `Transform`s that operate on two `Series`.""" @property def input_valency(self): return 2 @property def _output_names(self): return "output", def _apply_transform(self, input_tensors, **kwargs): # TODO(jamieas): consider supporting sparse inputs. if isinstance(input_tensors[0], sparse_tensor.SparseTensor) or isinstance( input_tensors[1], sparse_tensor.SparseTensor): raise TypeError("{} does not support SparseTensors".format( type(self).__name__)) # pylint: disable=not-callable return self.return_type(self._apply_op(input_tensors[0], input_tensors[1])) class ScalarBinaryTransform(transform.TensorFlowTransform): """Parent class for `Transform`s that combine `Series` to a scalar.""" def __init__(self, scalar): if isinstance(scalar, series.Series): raise ValueError("{} takes a Series and a scalar. " "It was called with another Series.".format( type(self).__name__)) super(ScalarBinaryTransform, self).__init__() self._scalar = scalar @transform.parameter def scalar(self): return self._scalar @property def input_valency(self): return 1 @property def _output_names(self): return "output", def _apply_transform(self, input_tensors, **kwargs): input_tensor = input_tensors[0] if isinstance(input_tensor, sparse_tensor.SparseTensor): result = sparse_tensor.SparseTensor(input_tensor.indices, self._apply_op(input_tensor.values), input_tensor.dense_shape) else: result = self._apply_op(input_tensor) # pylint: disable=not-callable return self.return_type(result) # pylint: disable=unused-argument def register_binary_op(method_name, operation): """Registers `Series` member functions for binary operations. Args: method_name: the name of the method that will be created in `Series`. operation: underlying TensorFlow operation. """ # Define series-series `Transform`. @property def series_name(self): return operation.__name__ series_doc = _DOC_FORMAT_STRING.format(operation.__name__, operation.__doc__) def series_apply_op(self, x, y): return operation(x, y) series_transform_cls = type("scalar_{}".format(operation.__name__), (SeriesBinaryTransform,), {"name": series_name, "__doc__": series_doc, "_apply_op": series_apply_op}) # Define series-scalar `Transform`. @property def scalar_name(self): return "scalar_{}".format(operation.__name__) scalar_doc = _DOC_FORMAT_STRING.format(operation.__name__, operation.__doc__) def scalar_apply_op(self, x): return operation(x, self.scalar) scalar_transform_cls = type("scalar_{}".format(operation.__name__), (ScalarBinaryTransform,), {"name": scalar_name, "__doc__": scalar_doc, "_apply_op": scalar_apply_op}) # Define function that delegates to the two `Transforms`. def _fn(self, other, *args, **kwargs): # pylint: disable=not-callable,abstract-class-instantiated if isinstance(other, series.Series): return series_transform_cls(*args, **kwargs)([self, other])[0] return scalar_transform_cls(other, *args, **kwargs)([self])[0] # Register new member function of `Series`. setattr(series.Series, method_name, _fn)
{ "content_hash": "f1bfa9cecadf287157a8c8dcf3eefe66", "timestamp": "", "source": "github", "line_count": 138, "max_line_length": 79, "avg_line_length": 35.68840579710145, "alnum_prop": 0.605482233502538, "repo_name": "ppries/tensorflow", "id": "14a82f231306270032e9164887c8d4aec678ec69", "size": "5614", "binary": false, "copies": "3", "ref": "refs/heads/master", "path": "tensorflow/contrib/learn/python/learn/dataframe/transforms/binary_transforms.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "6963" }, { "name": "C", "bytes": "118101" }, { "name": "C++", "bytes": "14610065" }, { "name": "CMake", "bytes": "110931" }, { "name": "CSS", "bytes": "774" }, { "name": "Go", "bytes": "96398" }, { "name": "HTML", "bytes": "533840" }, { "name": "Java", "bytes": "179112" }, { "name": "JavaScript", "bytes": "13406" }, { "name": "Jupyter Notebook", "bytes": "1833491" }, { "name": "Makefile", "bytes": "23553" }, { "name": "Objective-C", "bytes": "7056" }, { "name": "Objective-C++", "bytes": "64592" }, { "name": "Protocol Buffer", "bytes": "151841" }, { "name": "Python", "bytes": "14778281" }, { "name": "Shell", "bytes": "310226" }, { "name": "TypeScript", "bytes": "757225" } ], "symlink_target": "" }
package rres.knetminer.datasource.ondexlocal.service.utils; import java.util.List; import java.util.stream.Collectors; /** * Represents a QTL in a structured form. * * TODO: Future versions should incorporate additional elements of the QTL concept into the toString and * fromString methods. * * @author holland * @author Marco Brandizi * */ public class QTL { public String type; public String chromosome; public int start; public int end; public String label; public String significance; public float pValue; public String trait; public String taxID; public QTL() { } public QTL(String chromosome, String type, int start, int end, String label, String significance, float pValue, String trait, String taxID) { this.setChromosome(chromosome); this.setType(type); this.setStart(start); this.setEnd(end); this.setLabel(label); this.setSignificance(significance); this.setpValue(pValue); this.setTrait(trait); this.setTaxID(taxID); } public String getType() { return type; } public void setType(String type) { this.type = type; } public String getChromosome() { return chromosome; } public void setChromosome(String chromosome) { this.chromosome = chromosome; } public int getStart() { return start; } public void setStart(int start) { this.start = start; } public int getEnd() { return end; } public void setEnd(int end) { this.end = end; } public String getLabel() { return label; } public void setLabel(String label) { this.label = label; } public String getSignificance() { return significance; } public void setSignificance(String significance) { this.significance = significance; } public float getpValue() { return pValue; } public void setpValue(float pValue) { this.pValue = pValue; } public String getTrait() { return trait; } public void setTrait(String trait) { this.trait = trait; } public String getTaxID() { return taxID; } public void setTaxID(String taxID) { this.taxID = taxID; } public String toString() { String qtlStr = this.getChromosome() + ":" + this.getStart() + ":" + this.getEnd(); String qtlLabel = this.getLabel(); if (qtlLabel != null && !qtlLabel.equals("")) { qtlStr += ":" + qtlLabel; } return qtlStr; } /** * Parse a chromosome region, as it comes from the client, qtl param, ie, * * "qtl1=4:9920000:10180000:Petal size" * * which means: random ID = chromosome no.:start:end:optional label * * The "qtl1=" part is optional so this is equivalent: "4:9920000:10180000:Petal size" * TODO: to be removed? It was here in the past, now it doesn't seem to be in use anymore. * */ public static QTL fromString(String qtlStr) throws IllegalArgumentException { String[] frags = qtlStr.split ( ":" ); if ( ! ( frags.length == 3 || frags.length == 4 ) ) throw new IllegalArgumentException ( qtlStr + " not valid qtl region" ); String chrName = frags [ 0 ]; // 2022-05-25: I'm making 'qtl1=' optional, as said above if ( frags [ 0 ].contains ( "=" ) ) chrName = chrName.split ( "=" ) [ 1 ]; int start = Integer.parseInt ( frags[ 1 ] ); int end = Integer.parseInt ( frags[ 2 ] ); String label = frags.length == 4 ? frags[ 3 ] : ""; // set "trait" equal to "label" if (start < end) return new QTL ( chrName, null, start, end, label, "significant", 0, label, null ); throw new IllegalArgumentException ( qtlStr + " not valid qtl region (start >= end)" ); } /** * Converts the format required by the countLoci() API into the one supported by * {@link #fromString(String)}. * * TODO: we should harmonise the two at some point, we use this workaround for the moment. * */ public static String countLoci2regionStr ( String countLociStr ) { String[] frags = countLociStr.split ( "-" ); if ( frags.length < 1 ) throw new IllegalArgumentException ( countLociStr + " not valid qtl region" ); String chr = frags [ 0 ]; int start = frags.length > 1 ? Integer.parseInt ( frags [ 1 ] ) : 0; int end = frags.length > 2 ? Integer.parseInt ( frags [ 2 ] ) : 0; return chr + ":" + start + ":" + end; } public static List<QTL> fromStringList ( List<String> qtlStrings ) { if ( qtlStrings == null ) qtlStrings = List.of (); return qtlStrings.stream () .map ( QTL::fromString ) .collect ( Collectors.toList () ); } }
{ "content_hash": "2823c75867d0e1ae3e09e110a53c09a9", "timestamp": "", "source": "github", "line_count": 189, "max_line_length": 112, "avg_line_length": 23.35978835978836, "alnum_prop": 0.6620611551528879, "repo_name": "Rothamsted/knetminer", "id": "b50888a6abf937c0a2dc8863f2770a629ac0d7b7", "size": "4415", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "server-datasource-ondexlocal/src/main/java/rres/knetminer/datasource/ondexlocal/service/utils/QTL.java", "mode": "33188", "license": "mit", "language": [ { "name": "Batchfile", "bytes": "38" }, { "name": "CSS", "bytes": "66367" }, { "name": "Cypher", "bytes": "172764" }, { "name": "Dockerfile", "bytes": "1617" }, { "name": "HTML", "bytes": "102951" }, { "name": "Java", "bytes": "432902" }, { "name": "JavaScript", "bytes": "1503632" }, { "name": "Less", "bytes": "36157" }, { "name": "Shell", "bytes": "44026" } ], "symlink_target": "" }
@interface BTAnalyticsService_Tests : XCTestCase @property (nonatomic, assign) uint64_t currentTime; @property (nonatomic, assign) uint64_t oneSecondLater; @end @implementation BTAnalyticsService_Tests #pragma mark - Analytics tests - (void)setUp { [super setUp]; self.currentTime = (uint64_t)([[NSDate date] timeIntervalSince1970] * 1000); self.oneSecondLater = (uint64_t)(([[NSDate date] timeIntervalSince1970] * 1000) + 999); } - (void)testSendAnalyticsEvent_whenRemoteConfigurationHasNoAnalyticsURL_returnsError { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:nil]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; XCTestExpectation *expectation = [self expectationWithDescription:@"Sends analytics event"]; [analyticsService sendAnalyticsEvent:@"any.analytics.event" completion:^(NSError *error) { XCTAssertEqual(error.domain, BTAnalyticsServiceErrorDomain); XCTAssertEqual(error.code, (NSInteger)BTAnalyticsServiceErrorTypeMissingAnalyticsURL); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testSendAnalyticsEvent_whenRemoteConfigurationHasAnalyticsURL_setsUpAnalyticsHTTPToUseBaseURL { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; XCTestExpectation *expectation = [self expectationWithDescription:@"Sends analytics event"]; [analyticsService sendAnalyticsEvent:@"any.analytics.event" completion:^(NSError *error) { XCTAssertEqualObjects(analyticsService.http.baseURL.absoluteString, @"test://do-not-send.url"); XCTAssertNil(error); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testSendAnalyticsEvent_whenNumberOfQueuedEventsMeetsThreshold_sendsAnalyticsEvent { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 1; analyticsService.http = mockAnalyticsHTTP; [analyticsService sendAnalyticsEvent:@"an.analytics.event"]; // Pause briefly to allow analytics service to dispatch async blocks [[NSRunLoop currentRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestEndpoint, @"/"); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"kind"], @"an.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); [self validateMetaParameters:mockAnalyticsHTTP.lastRequestParameters[@"_meta"]]; } - (void)testSendAnalyticsEvent_whenFlushThresholdIsGreaterThanNumberOfBatchedEvents_doesNotSendAnalyticsEvent { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 2; analyticsService.http = mockAnalyticsHTTP; [analyticsService sendAnalyticsEvent:@"an.analytics.event"]; [[NSRunLoop currentRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 0); } - (void)testSendAnalyticsEventCompletion_whenCalled_sendsAllEvents { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 5; analyticsService.http = mockAnalyticsHTTP; XCTestExpectation *expectation = [self expectationWithDescription:@"Sends batched request"]; [analyticsService sendAnalyticsEvent:@"an.analytics.event"]; [analyticsService sendAnalyticsEvent:@"another.analytics.event" completion:^(NSError *error) { XCTAssertNil(error); XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 1); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestEndpoint, @"/"); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"kind"], @"an.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"kind"], @"another.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); [self validateMetaParameters:mockAnalyticsHTTP.lastRequestParameters[@"_meta"]]; [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testFlush_whenCalled_sendsAllQueuedEvents { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 5; analyticsService.http = mockAnalyticsHTTP; [analyticsService sendAnalyticsEvent:@"an.analytics.event"]; [analyticsService sendAnalyticsEvent:@"another.analytics.event"]; // Pause briefly to allow analytics service to dispatch async blocks [[NSRunLoop currentRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; XCTestExpectation *expectation = [self expectationWithDescription:@"Sends batched request"]; [analyticsService flush:^(NSError *error) { XCTAssertNil(error); XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 1); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestEndpoint, @"/"); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"kind"], @"an.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"kind"], @"another.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); [self validateMetaParameters:mockAnalyticsHTTP.lastRequestParameters[@"_meta"]]; [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testFlush_whenThereAreNoQueuedEvents_doesNotPOST { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 5; analyticsService.http = mockAnalyticsHTTP; XCTestExpectation *expectation = [self expectationWithDescription:@"Sends batched request"]; [analyticsService flush:^(NSError *error) { XCTAssertNil(error); XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 0); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testAnalyticsService_whenAPIClientConfigurationFails_returnsError { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; NSError *stubbedError = [NSError errorWithDomain:@"SomeError" code:1 userInfo:nil]; stubAPIClient.cannedConfigurationResponseError = stubbedError; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.http = mockAnalyticsHTTP; XCTestExpectation *expectation = [self expectationWithDescription:@"Callback invoked with error"]; [analyticsService sendAnalyticsEvent:@"an.analytics.event" completion:^(NSError *error) { XCTAssertEqualObjects(error, stubbedError); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; expectation = [self expectationWithDescription:@"Callback invoked with error"]; [analyticsService flush:^(NSError *error) { XCTAssertEqualObjects(error, stubbedError); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testAnalyticsService_afterConfigurationError_maintainsQueuedEventsUntilConfigurationIsSuccessful { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; NSError *stubbedError = [NSError errorWithDomain:@"SomeError" code:1 userInfo:nil]; stubAPIClient.cannedConfigurationResponseError = stubbedError; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.http = mockAnalyticsHTTP; XCTestExpectation *expectation = [self expectationWithDescription:@"Callback invoked with error"]; [analyticsService sendAnalyticsEvent:@"an.analytics.event.1" completion:^(NSError *error) { XCTAssertEqualObjects(error, stubbedError); [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; stubAPIClient.cannedConfigurationResponseError = nil; expectation = [self expectationWithDescription:@"Callback invoked with error"]; [analyticsService sendAnalyticsEvent:@"an.analytics.event.2" completion:^(NSError *error) { XCTAssertNil(error); XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 1); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestEndpoint, @"/"); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"kind"], @"an.analytics.event.1"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"kind"], @"an.analytics.event.2"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); [self validateMetaParameters:mockAnalyticsHTTP.lastRequestParameters[@"_meta"]]; [expectation fulfill]; }]; [self waitForExpectationsWithTimeout:2 handler:nil]; } - (void)testAnalyticsService_whenAppIsBackgrounded_sendsQueuedAnalyticsEvents { MockAPIClient *stubAPIClient = [self stubbedAPIClientWithAnalyticsURL:@"test://do-not-send.url"]; BTFakeHTTP *mockAnalyticsHTTP = [BTFakeHTTP fakeHTTP]; BTAnalyticsService *analyticsService = [[BTAnalyticsService alloc] initWithAPIClient:stubAPIClient]; analyticsService.flushThreshold = 5; analyticsService.http = mockAnalyticsHTTP; [analyticsService sendAnalyticsEvent:@"an.analytics.event"]; [analyticsService sendAnalyticsEvent:@"another.analytics.event"]; // Pause briefly to allow analytics service to dispatch async blocks [[NSRunLoop currentRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; [[NSNotificationCenter defaultCenter] postNotificationName:UIApplicationWillResignActiveNotification object:nil]; [[NSRunLoop currentRunLoop] runUntilDate:[NSDate dateWithTimeIntervalSinceNow:0.1]]; XCTAssertTrue(mockAnalyticsHTTP.POSTRequestCount == 1); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestEndpoint, @"/"); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"kind"], @"an.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][0][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); XCTAssertEqualObjects(mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"kind"], @"another.analytics.event"); XCTAssertGreaterThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.currentTime); XCTAssertLessThanOrEqual([mockAnalyticsHTTP.lastRequestParameters[@"analytics"][1][@"timestamp"] unsignedIntegerValue], self.oneSecondLater); [self validateMetaParameters:mockAnalyticsHTTP.lastRequestParameters[@"_meta"]]; } #pragma mark - Helpers - (MockAPIClient *)stubbedAPIClientWithAnalyticsURL:(NSString *)analyticsURL { MockAPIClient *stubAPIClient = [[MockAPIClient alloc] initWithAuthorization:@"development_tokenization_key" sendAnalyticsEvent:NO]; if (analyticsURL) { stubAPIClient.cannedConfigurationResponseBody = [[BTJSON alloc] initWithValue:@{ @"analytics" : @{ @"url" : analyticsURL } }]; } else { stubAPIClient.cannedConfigurationResponseBody = [[BTJSON alloc] initWithValue:@{}]; } return stubAPIClient; } - (void)validateMetaParameters:(NSDictionary *)metaParameters { XCTAssertEqualObjects(metaParameters[@"deviceManufacturer"], @"Apple"); XCTAssertEqualObjects(metaParameters[@"deviceModel"], [self deviceModel]); XCTAssertEqualObjects(metaParameters[@"deviceAppGeneratedPersistentUuid"], [self deviceAppGeneratedPersistentUuid]); XCTAssertEqualObjects(metaParameters[@"deviceScreenOrientation"], @"Portrait"); XCTAssertEqualObjects(metaParameters[@"integrationType"], @"custom"); XCTAssertEqualObjects(metaParameters[@"iosBaseSDK"], @(__IPHONE_OS_VERSION_MAX_ALLOWED).stringValue); // __IPHONE_OS_VERSION_MIN_REQUIRED refers to deployment target of unit tests, which needs to match the demo app's XCTAssertEqualObjects(metaParameters[@"iosDeploymentTarget"], @(__IPHONE_OS_VERSION_MIN_REQUIRED).stringValue); XCTAssertEqualObjects(metaParameters[@"iosDeviceName"], UIDevice.currentDevice.name); XCTAssertTrue((BOOL)metaParameters[@"isSimulator"] == TARGET_IPHONE_SIMULATOR); XCTAssertEqualObjects(metaParameters[@"merchantAppId"], @"com.braintreepayments.Demo"); XCTAssertEqualObjects(metaParameters[@"merchantAppName"], @"Braintree iOS SDK Demo"); XCTAssertEqualObjects(metaParameters[@"sdkVersion"], BRAINTREE_VERSION); XCTAssertEqualObjects(metaParameters[@"platform"], @"iOS"); XCTAssertEqualObjects(metaParameters[@"platformVersion"], UIDevice.currentDevice.systemVersion); XCTAssertNotNil(metaParameters[@"sessionId"]); XCTAssertEqualObjects(metaParameters[@"source"], @"unknown"); XCTAssertTrue([metaParameters[@"venmoInstalled"] isKindOfClass:[NSNumber class]]); } // Ripped from BTAnalyticsMetadata - (NSString *)deviceModel { struct utsname systemInfo; uname(&systemInfo); NSString* code = [NSString stringWithCString:systemInfo.machine encoding:NSUTF8StringEncoding]; return code; } // Ripped from BTAnalyticsMetadata - (NSString *)deviceAppGeneratedPersistentUuid { @try { static NSString *deviceAppGeneratedPersistentUuidKeychainKey = @"deviceAppGeneratedPersistentUuid"; NSString *savedIdentifier = [BTKeychain stringForKey:deviceAppGeneratedPersistentUuidKeychainKey]; if (savedIdentifier.length == 0) { savedIdentifier = [[NSUUID UUID] UUIDString]; BOOL setDidSucceed = [BTKeychain setString:savedIdentifier forKey:deviceAppGeneratedPersistentUuidKeychainKey]; if (!setDidSucceed) { return nil; } } return savedIdentifier; } @catch (NSException *exception) { return nil; } } @end
{ "content_hash": "a9c7e70d7566cc3a2708a21426924d4b", "timestamp": "", "source": "github", "line_count": 307, "max_line_length": 149, "avg_line_length": 56.65798045602606, "alnum_prop": 0.7608945613429918, "repo_name": "billCTG/braintree_ios", "id": "324afe8894ba137c8bce3738138c453a3ecd6fa6", "size": "17603", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "UnitTests/BTAnalyticsService_Tests.m", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "127908" }, { "name": "C++", "bytes": "1621" }, { "name": "Objective-C", "bytes": "2164686" }, { "name": "Ruby", "bytes": "24357" }, { "name": "Shell", "bytes": "1904" }, { "name": "Swift", "bytes": "518928" } ], "symlink_target": "" }
package org.basex.query.func.db; import org.basex.data.*; import org.basex.index.*; import org.basex.index.query.*; import org.basex.query.*; import org.basex.query.expr.*; import org.basex.query.expr.index.*; import org.basex.query.iter.*; import org.basex.query.value.*; /** * Function implementation. * * @author BaseX Team 2005-20, BSD License * @author Christian Gruen */ public class DbTextRange extends DbAccess { @Override public final Iter iter(final QueryContext qc) throws QueryException { return rangeAccess(qc).iter(qc); } @Override public final Value value(final QueryContext qc) throws QueryException { return rangeAccess(qc).value(qc); } @Override protected final Expr opt(final CompileContext cc) throws QueryException { return compileData(cc); } /** * Returns the index type (overwritten by implementing functions). * @return index type */ IndexType type() { return IndexType.TEXT; } /** * Returns a range index accessor. * @param qc query context * @return iterator * @throws QueryException query exception */ final StringRangeAccess rangeAccess(final QueryContext qc) throws QueryException { final Data data = checkData(qc); final byte[] min = toToken(exprs[1], qc), max = toToken(exprs[2], qc); final StringRange sr = new StringRange(type(), min, true, max, true); return new StringRangeAccess(info, sr, new IndexStaticDb(data, info)); } }
{ "content_hash": "73ad34da6352184a30ae7b32e25e3540", "timestamp": "", "source": "github", "line_count": 54, "max_line_length": 84, "avg_line_length": 27, "alnum_prop": 0.7050754458161865, "repo_name": "dimitarp/basex", "id": "7dd80bc543387fb1e6024b9f8000522ea6709d40", "size": "1458", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "basex-core/src/main/java/org/basex/query/func/db/DbTextRange.java", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "ActionScript", "bytes": "9372" }, { "name": "Batchfile", "bytes": "1998" }, { "name": "C", "bytes": "18635" }, { "name": "C#", "bytes": "13443" }, { "name": "C++", "bytes": "7796" }, { "name": "CSS", "bytes": "3846" }, { "name": "Common Lisp", "bytes": "3211" }, { "name": "Dockerfile", "bytes": "859" }, { "name": "Haskell", "bytes": "4065" }, { "name": "Java", "bytes": "7531709" }, { "name": "JavaScript", "bytes": "15136" }, { "name": "Makefile", "bytes": "1234" }, { "name": "PHP", "bytes": "8690" }, { "name": "Perl", "bytes": "7801" }, { "name": "Python", "bytes": "15193" }, { "name": "QMake", "bytes": "377" }, { "name": "R", "bytes": "14372" }, { "name": "Rebol", "bytes": "4731" }, { "name": "Ruby", "bytes": "7359" }, { "name": "Scala", "bytes": "11692" }, { "name": "Shell", "bytes": "3658" }, { "name": "Visual Basic .NET", "bytes": "11957" }, { "name": "XQuery", "bytes": "244239" }, { "name": "XSLT", "bytes": "406" } ], "symlink_target": "" }
<?xml version="1.0" encoding="utf-8"?> <!-- **** Dimension Values **** @author rahulthakur --> <resources> <dimen name="grid_gap">2dp</dimen> <dimen name="small_gap">10dp</dimen> <dimen name="medium_gap">25dp</dimen> <dimen name="big_gap">50dp</dimen> <!-- TEXT --> <dimen name="large_text">25sp</dimen> <dimen name="medium_text">15sp</dimen> </resources>
{ "content_hash": "76289c16f2413d07fcfd8d695d03c814", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 39, "avg_line_length": 21.529411764705884, "alnum_prop": 0.639344262295082, "repo_name": "rahul-rkt/ColourMemory", "id": "37655fcd9f3d8ff07f4348e1e2051058a2a3f532", "size": "366", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "res/values/dimens.xml", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "41309" } ], "symlink_target": "" }
package molecule package net import java.nio.channels.{ SelectionKey, SocketChannel, ServerSocketChannel } import java.nio.ByteBuffer import java.net.InetSocketAddress import channel.OChan /** * A server channel generates one socket per connection. */ private[net] abstract class TcpAcceptChannel extends Channel { private[net] def acceptReady() } /** * Factory methods for TCP server channels * */ object TcpAcceptChannel { /** * Create a TCP server channel. * * @param ioselector an IOSelector in charge of handling this server channel. * @param config a TCP server configuration * * @return a tuple with the local socket address the server has been * bound to, and a stream of client sockets filled in progressively each time * a new client connection is accepted. */ def apply(ioselector: IOSelector, config: TcpServerConfig, ochan: OChan[Socket[ByteBuffer]]): InetSocketAddress = { val niochan = ServerSocketChannel.open() niochan.configureBlocking(false) val socket = niochan.socket if (config.address.isDefined) socket.bind(config.address.get, config.backlog) else socket.bind(null, config.backlog) config(socket) val addr = new InetSocketAddress(socket.getInetAddress(), socket.getLocalPort()) new TcpAcceptChannelImpl(ioselector, niochan, config.socketConfig, ochan) addr } private[this] final class TcpAcceptChannelImpl( selector: IOSelector, val niochan: ServerSocketChannel, socketConfig: SocketConfig, private[this] final var OCHAN: OChan[Socket[ByteBuffer]]) extends TcpAcceptChannel { self => // Create a new non-blocking server socket channel selector.schedule(new Runnable { def run = selector.registerAccept(self) }) private[this] final var updateTask: Runnable = null private[this] final val update: OChan[Socket[ByteBuffer]] => Unit = { ochan => submit(new Runnable { def run = TcpAcceptChannelImpl.this.OCHAN = ochan }) } def submit(updateTask: Runnable): Unit = { if (Thread.currentThread.getId != selector.threadId) selector.schedule(new Runnable { def run = { updateTask.run() OCHAN match { case OChan(signal) => poison(signal) case _ => selector.registerAccept(self) } } }) else this.updateTask = updateTask } /** * This method is always invoked by the Selector thread */ private[net] def acceptReady() { val socketChannel = niochan.accept(); socketChannel.configureBlocking(false); socketConfig(socketChannel.socket) val rcvBuf = ByteBuffer.allocate(socketChannel.socket.getReceiveBufferSize) val sndBuf = ByteBuffer.allocate(socketChannel.socket.getSendBufferSize) val s = StreamSocket(socketChannel, SocketHandle(socketChannel.socket), selector, rcvBuf, sndBuf) OCHAN.write(Seg(s), None, update) if (updateTask == null) selector.clearAccept(this) else { val tmp = updateTask updateTask = null tmp.run() OCHAN match { case OChan(signal) => poison(signal) case _ => // acceptReadey will be called again } } } /** * Always invoked with the selector thread */ def poison(signal: Signal): Unit = { selector.clearAccept(self) niochan.close() OCHAN.close(signal) } } }
{ "content_hash": "89e35181ed4496733ac5366c225b1bfd", "timestamp": "", "source": "github", "line_count": 127, "max_line_length": 117, "avg_line_length": 27.89763779527559, "alnum_prop": 0.6550945526390065, "repo_name": "molecule-labs/molecule", "id": "b6c9b54fb852e629738db9731348802834787ee4", "size": "4262", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "molecule-net/src/main/scala/molecule/net/TcpAcceptChannel.scala", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "251718" }, { "name": "Scala", "bytes": "951922" } ], "symlink_target": "" }
<?php defined('_JEXEC') or die('Restricted access'); jimport("joomla.filesystem.file"); jimport("joomla.filesystem.folder"); $inc_dir = realpath(dirname(__FILE__)); require_once($inc_dir . '/b2jdatapump.php'); require_once($inc_dir . '/b2jsession.php'); require_once($inc_dir . '/b2jmimetype.php'); define('KB', 1024); class B2JUploader extends B2JDataPump { public function __construct(&$params, B2JMessageBoard &$messageboard) { parent::__construct($params, $messageboard); $this->Name = "FFilePump"; $this->isvalid = intval($this->DoUpload()); } protected function LoadFields() { $this->LoadField("upload", NULL); } protected function DoUpload() { $file = JRequest::getVar('b2jstdupload', NULL, 'files', 'array'); if (!$this->Submitted || !$file || $file['error'] == UPLOAD_ERR_NO_FILE) return true; $upload_directory = JPATH_SITE . "/components/" . $GLOBALS["com_name"] . "/uploads/"; if (!is_writable($upload_directory)) { $this->MessageBoard->Add(JText::_($GLOBALS["COM_NAME"] . '_ERR_DIR_NOT_WRITABLE'), B2JMessageBoard::error); return false; } if ($file['error']) { $this->MessageBoard->Add(JText::sprintf($GLOBALS["COM_NAME"] . '_ERR_UPLOAD', $file['error']), B2JMessageBoard::error); return false; } $size = $file['size']; if ($size == 0) { $this->MessageBoard->Add(JText::_($GLOBALS["COM_NAME"] . '_ERR_FILE_EMPTY'), B2JMessageBoard::error); return false; } $max_filesize = intval($this->Params->get("uploadmax_file_size", "0")) * KB; if ($size > $max_filesize) { $this->MessageBoard->Add(JText::_($GLOBALS["COM_NAME"] . '_ERR_FILE_TOO_LARGE'), B2JMessageBoard::error); return false; } $mimetype = new B2JMimeType(); if (!$mimetype->Check($file['tmp_name'], $this->Params)) { $this->MessageBoard->Add(JText::_($GLOBALS["COM_NAME"] . '_ERR_MIME') . " [" . $mimetype->Mimetype . "]", B2JMessageBoard::error); return false; } jimport('joomla.filesystem.file'); $filename = JFile::makeSafe($file['name']); $filename = uniqid() . "-" . $filename; $dest = $upload_directory . $filename; if (!JFile::upload($file['tmp_name'], $dest)) return false; $jsession =& JFactory::getSession(); $b2jsession = new B2JSession($jsession->getId(), $this->Application->b2jcomid, $this->Application->b2jmoduleid, $this->Application->bid); // session_id, cid, mid $data = $b2jsession->Load('filelist'); if ($data) $filelist = explode("|", $data); else $filelist = array(); $filelist[] = $filename; $data = implode("|", $filelist); $b2jsession->Save($data, "filelist"); return true; } } ?>
{ "content_hash": "068f4dd6d1b845e1d6625c15be0aa153", "timestamp": "", "source": "github", "line_count": 105, "max_line_length": 163, "avg_line_length": 25.133333333333333, "alnum_prop": 0.6301629405077681, "repo_name": "mssnaveensharma/venison-jaqui", "id": "cdf56c591fb58a1740fcab3c5fd087879f27489c", "size": "3132", "binary": false, "copies": "22", "ref": "refs/heads/master", "path": "components/com_b2jcontact/helpers/b2juploader.php", "mode": "33261", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "1810540" }, { "name": "Erlang", "bytes": "19643" }, { "name": "JavaScript", "bytes": "2447041" }, { "name": "PHP", "bytes": "15379259" }, { "name": "Perl", "bytes": "231114" } ], "symlink_target": "" }
var HazelcastClient = require('../.').Client; var Controller = require('./RC'); var assert = require('chai').assert; var sinon = require('sinon'); describe('MembershipListener', function() { this.timeout(10000); var cluster; var member; var client; before(function(done) { Controller.createCluster(null, null).then(function(res) { cluster = res; return Controller.startMember(cluster.id).then(function(res) { member = res; return HazelcastClient.newHazelcastClient(); }).then(function(res) { client = res; done(); }).catch(function(err) { done(err); }); }).catch(function(err) { done(err); }); }); after(function() { client.shutdown(); return Controller.shutdownCluster(cluster.id); }); it('sees member added event', function(done) { var memberAddedSpy = sinon.spy(); var newMember; client.clusterService.on('memberAdded', memberAddedSpy); Controller.startMember(cluster.id).then(function(res) { newMember = res; assert.isTrue(memberAddedSpy.calledOnce); assert.equal(memberAddedSpy.getCall(0).args[0].address.host, newMember.host); assert.equal(memberAddedSpy.getCall(0).args[0].address.port, newMember.port); }).catch(function(err) { done(err); }).finally(function() { Controller.shutdownMember(cluster.id, newMember.uuid).then(function() { done(); }); }); }); it('sees member removed event', function(done) { var memberRemovedSpy = sinon.spy(); var newMember; client.clusterService.on('memberRemoved', memberRemovedSpy); Controller.startMember(cluster.id).then(function(res) { newMember = res; return Controller.shutdownMember(cluster.id, newMember.uuid); }).then(function() { assert.isTrue(memberRemovedSpy.calledOnce); assert.equal(memberRemovedSpy.getCall(0).args[0].address.host, newMember.host); assert.equal(memberRemovedSpy.getCall(0).args[0].address.port, newMember.port); done(); }).catch(function(err) { done(err); }); }); it('sees member attribute change put event', function(done) { client.clusterService.on('memberAttributeChange', function(uuid, key, op, value) { if(op === 'put') { assert.equal(uuid, member.uuid); assert.equal(key, 'test'); assert.equal(op, 'put'); assert.equal(value, '123'); done(); } }); var script = 'function attrs() { ' + 'return instance_0.getCluster().getLocalMember().setIntAttribute("test", 123); }; result=attrs();'; Controller.executeOnController(cluster.id, script, 1); }); it('sees member attribute change remove event', function(done) { client.clusterService.on('memberAttributeChange', function(uuid, key, op, value) { if (op === 'remove') { assert.equal(uuid, member.uuid); assert.equal(key, 'test'); assert.equal(op, 'remove'); done(); } }); var addScript = 'function attrs() { ' + 'return instance_0.getCluster().getLocalMember().setIntAttribute("test", 123); }; result=attrs();'; var removeScript = 'function attrs() { ' + 'return instance_0.getCluster().getLocalMember().removeAttribute("test"); }; result=attrs();'; Controller.executeOnController(cluster.id, addScript, 1) .then(Controller.executeOnController.bind(this, cluster.id, removeScript, 1)); }); });
{ "content_hash": "9b8b6147361ca8c2b0b5ed5ead141897", "timestamp": "", "source": "github", "line_count": 98, "max_line_length": 111, "avg_line_length": 39.66326530612245, "alnum_prop": 0.566503730383329, "repo_name": "gAmUssA/hazelcast-nodejs-client", "id": "a448f49aeded84062413709ce654ce0f0f24a455", "size": "3887", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "test/MembershipListenerTest.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "4079" }, { "name": "JavaScript", "bytes": "196554" }, { "name": "Shell", "bytes": "813" }, { "name": "TypeScript", "bytes": "546133" } ], "symlink_target": "" }
function updateAttrs(oldVnode, vnode) { var key, cur, old, elm = vnode.elm, oldAttrs = oldVnode.data.attrs || {}, attrs = vnode.data.attrs || {}; for (key in attrs) { cur = attrs[key]; old = oldAttrs[key]; if (old !== cur) { elm.setAttribute(key, cur); } } } module.exports = {create: updateAttrs, update: updateAttrs};
{ "content_hash": "074d4d89168c07fabc163331d8e312e9", "timestamp": "", "source": "github", "line_count": 13, "max_line_length": 75, "avg_line_length": 27.23076923076923, "alnum_prop": 0.6016949152542372, "repo_name": "avesus/snabbdom-jsx", "id": "057cda87ef08082c6ee899f2a3f4d24b3baa174e", "size": "354", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "examples/hello-svg/snabbdom-modules/attributes.js", "mode": "33188", "license": "mit", "language": [ { "name": "JavaScript", "bytes": "3390" } ], "symlink_target": "" }
<?php namespace SUWE\UserBundle\Controller; use Symfony\Bundle\FrameworkBundle\Controller\Controller; use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route; class UserController extends Controller { /** * @Route("/") */ public function indexAction() { return $this->render('UserBundle:Default:index.html.twig'); } }
{ "content_hash": "31a741bff1a011bdbff28b2d5b95de39", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 67, "avg_line_length": 21.058823529411764, "alnum_prop": 0.7039106145251397, "repo_name": "DuvalCharles/startup-we", "id": "4af3830e9e9a0b0cbebe9df6fba7ec1ae678adfb", "size": "358", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/SUWE/UserBundle/Controller/UserController.php", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "3605" }, { "name": "CSS", "bytes": "9311" }, { "name": "HTML", "bytes": "52069" }, { "name": "PHP", "bytes": "113041" } ], "symlink_target": "" }
Bitinum 0.9.3 [Un] Proof of Work SHA256 Cryptocurrency based on Bitcoin 0.8.99 1 Minute Block targets //revised as of this version Fast, progressive (4 blocks over 80) difficulty adjustments of max 10% up/20% down First 4 years = subsidy of 100 coins After 4 years = 50 Coin per block, halving every 4 years Minimum subsidy of 10 coin after final halving at 25 coins per block 999 mln Max Coins Ever. RPC Port = 3011 P2P Port = 3010 QR Code Support
{ "content_hash": "53b7f586cfca253b67da24a32a44ad8e", "timestamp": "", "source": "github", "line_count": 22, "max_line_length": 82, "avg_line_length": 21, "alnum_prop": 0.7489177489177489, "repo_name": "androskee/Bitinum", "id": "cd3da871f663cdb6de610938c72fc5ee2b3629f6", "size": "462", "binary": false, "copies": "2", "ref": "refs/heads/master", "path": "README.md", "mode": "33188", "license": "mit", "language": [], "symlink_target": "" }
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <modelVersion>4.0.0</modelVersion> <groupId>org.shirdrn.storm</groupId> <artifactId>storm-realtime</artifactId> <version>0.0.1-SNAPSHOT</version> <packaging>pom</packaging> <name>Storm Realtime Computation</name> <modules> <module>storm-realtime-analytics</module> <module>storm-realtime-commons</module> <module>storm-realtime-spring</module> <module>storm-realtime-mydis</module> <module>storm-realtime-api</module> <module>storm-realtime-live</module> </modules> <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> </properties> <dependencies> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.12</version> <scope>test</scope> </dependency> </dependencies> <build> <pluginManagement> <plugins> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-compiler-plugin</artifactId> <version>2.5</version> <configuration> <encoding>${project.build.sourceEncoding}</encoding> <source>1.6</source> <target>1.6</target> <skipTests>false</skipTests> </configuration> </plugin> </plugins> </pluginManagement> </build> </project>
{ "content_hash": "568435dd8f39f8c3637926b76d11e89b", "timestamp": "", "source": "github", "line_count": 47, "max_line_length": 204, "avg_line_length": 30.085106382978722, "alnum_prop": 0.7029702970297029, "repo_name": "shirdrn/storm-realtime", "id": "4eded11825fdd93ba7ee8232e3927e8af9bd8276", "size": "1414", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "pom.xml", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Java", "bytes": "190298" } ], "symlink_target": "" }
layout: ee title: Terminology prev_section: power-introduction next_section: installation permalink: /ee/data-terminology/ --- Panelboard : Houses CCT breakers term : definition Lorem Ipsum... *[CCT]: Circuit
{ "content_hash": "fcf170601be54c2a4a076ae222282860", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 32, "avg_line_length": 12.529411764705882, "alnum_prop": 0.7605633802816901, "repo_name": "astallaert/astallaert.github.io", "id": "0a2d33c0c801f6a83a7c516ae17933bc9d016bcf", "size": "217", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "_ee/data-terminology.md", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "36158" } ], "symlink_target": "" }
config = require ('config') texts = require('texts') require('pack') _addon.name = 'PetTP' _addon.author = 'SnickySnacks' _addon.version = '1.02' _addon.commands = {'ptp','pettp'} petname = nil mypet_idx = nil current_hp = 0 max_hp = 0 current_mp = 0 max_mp = 0 current_hp_percent = 0 current_mp_percent = 0 current_tp_percent = 0 petactive = false verbose = false superverbose = false timercountdown = 0 defaults = T{} defaults.autocolor = true defaults.pos = T{} defaults.pos.x = windower.get_windower_settings().x_res*2/3 defaults.pos.y = windower.get_windower_settings().y_res-17 defaults.bg = T{} defaults.bg.alpha = 255 defaults.bg.red = 0 defaults.bg.green = 0 defaults.bg.blue = 0 defaults.bg.visible = true defaults.flags = {} defaults.flags.right = false defaults.flags.bottom = false defaults.flags.bold = false defaults.flags.italic = false defaults.text = {} defaults.text.size = 10 defaults.text.font = 'Courier New' defaults.text.alpha = 255 defaults.text.red = 255 defaults.text.green = 255 defaults.text.blue = 255 settings = config.load(defaults) pettp = texts.new(settings) function make_visible() petactive = true pettp:visible(true); if verbose == true then windower.add_to_chat(8, 'PetTP Visible') end end function make_invisible() if petactive then pettp:text('') pettp:visible(false) if verbose == true then windower.add_to_chat(8, 'PetTP Invisible') end end petactive = false mypet_idx = nil petname = nil current_hp = 0 max_hp = 0 current_mp = 0 max_mp = 0 current_hp_percent = 0 current_mp_percent = 0 current_tp_percent = 0 end function valid_pet(source,pet_idx_in, own_idx_in) local player = windower.ffxi.get_player() if superverbose == true then windower.add_to_chat(8, 'valid_pet('..source..'): petactive: '..tostring(petactive)..', mypet_idx: '..(mypet_idx or 'nil')..', pet_idx_in: '..(pet_idx_in or 'nil')..', own_idx_in: '..(own_idx_in or 'nil')..', player.index '..player.index) end if player.vitals.hp == 0 then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : false : Player is dead') end timercountdown = 0 return end if petactive then if mypet_idx then if not pet_idx_in or mypet_idx == pet_idx_in then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : true : using mypet_idx') end return mypet_idx else if superverbose == true then windower.add_to_chat(8, 'mypet_idx ~= pet_idx_in '..mypet_idx..' vs. '..pet_idx_in) end end elseif own_idx_in and player.index == own_idx_in then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : true : using pet_idx_in') end mypet_idx = pet_idx_in return mypet_idx end end local pet = windower.ffxi.get_mob_by_target('pet') if pet_idx_in and pet and pet_idx_in ~= pet.index then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : false : pet.index ~= pet_idx_in '..pet.index..' vs. '..pet_idx_in) end return elseif pet_idx_in and player.mob and player.mob.pet_index and pet_idx_in ~= player.mob.pet_index then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : false : player.mob.pet_index ~= pet_idx_in '..player.mob.pet_index..' vs. '..pet_idx_in) end return elseif pet then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : true : Using pet.index') end mypet_idx = pet.index return mypet_idx elseif player.mob and player.mob.pet_index then if superverbose == true then windower.add_to_chat(8, 'valid_pet() : true : Using player.mob.pet_index') end mypet_idx = player.mob.pet_index return mypet_idx end if superverbose == true then windower.add_to_chat(8, 'valid_pet() : false : No pet found') end return end function update_pet(source,pet_idx_in,own_idx_in) pet_idx = valid_pet(source,pet_idx_in,own_idx_in) if pet_idx == nil then if superverbose == true then windower.add_to_chat(8, 'update_pet() : false : pet_idx == nil, pet_idx_in: '..(pet_idx_in or 'nil')..', own_idx_in: '..(own_idx_in or 'nil')) end return false end local pet_table = windower.ffxi.get_mob_by_index(pet_idx) if pet_table == nil then if petactive then -- presumably we have a pet, he just hasn't loaded, yet... if superverbose == true then windower.add_to_chat(8, 'update_pet() : true : pet_table == nil, pet_idx: '..(pet_idx or 'nil')..', '..(own_idx_in or 'nil')) end return true end if superverbose == true then windower.add_to_chat(8, 'update_pet() : false: pet_table == nil, pet_idx: '..(pet_idx or 'nil')..', '..(own_idx_in or 'nil')) end make_invisible() return false end petname = pet_table['name'] if superverbose == true then windower.add_to_chat(8, 'update_pet() : Updating PetName: '..petname) end current_hp_percent = pet_table['hpp'] if not pet_table['mpp'] == nil then current_mp_percent = pet_table['mpp'] end current_tp_percent = pet_table['tp'] if not petactive and current_hp_percent == 0 then -- we're likely picking up a dead or despawning pet if superverbose == true then windower.add_to_chat(8, 'update_pet() : Picked up a likely dead pet') end make_invisible() return false end if superverbose == true then windower.add_to_chat(8, 'update_pet() : true : Picked up a pet: '..petname..', hp%: '..current_hp_percent..', pet_idx: '..pet_idx) end return true end function printpettp(pet_idx_in,own_idx_in) if not petactive then return end if petname == nil then if update_pet('printpettp',pet_idx_in,own_idx_in) == false then return end end local output output = (petname or 'Unknown')..': ' if settings.autocolor == true then if current_hp_percent > 75 then output = output..'\\cr\\cs(128,255,128)' elseif current_hp_percent > 50 then output = output..'\\cr\\cs(255,255,0)' elseif current_hp_percent > 25 then output = output..'\\cr\\cs(255,160,0)' else output = output..'\\cr\\cs(255,0,0)' end end if max_hp > 0 then output = output..current_hp..'/'..max_hp..' '..'('..current_hp_percent..'%)' else output = output..current_hp_percent..'%' end if settings.autocolor == true then output = output..'\\cr\\cs('..settings.text.red..','..settings.text.green..','..settings.text.blue..')' end output = output..' [' if settings.autocolor == true and current_tp_percent >= 1000 then output = output..'\\cr\\cs(128,255,128)' end output = output..current_tp_percent if settings.autocolor == true and current_tp_percent >= 1000 then output = output..'\\cr\\cs('..settings.text.red..','..settings.text.green..','..settings.text.blue..')' end output = output..']' if max_mp > 0 then if current_mp_percent > 75 then output = output..'\\cr\\cs(128,255,128)' elseif current_mp_percent > 50 then output = output..'\\cr\\cs(255,255,0)' elseif current_mp_percent > 25 then output = output..'\\cr\\cs(255,160,0)' else output = output..'\\cr\\cs(255,0,0)' end output = output..' '..current_mp..'/'..max_mp..' ('..current_mp_percent..'%)' if settings.autocolor == true then output = output..'\\cr\\cs('..settings.text.red..','..settings.text.green..','..settings.text.blue..')' end end output = output..'\\cr' pettp:text(output) end windower.register_event('time change', function() if timercountdown == 0 then return elseif petactive then if superverbose == true then windower.add_to_chat(8, 'SCAN: Pet appeared between scans!') end timercountdown = 0 else timercountdown = timercountdown - 1 if update_pet('scan') == true then if superverbose == true then windower.add_to_chat(8, 'SCAN: Found a pet!') end timercountdown = 0 make_visible() printpettp() elseif timercountdown == 0 then if superverbose == true then windower.add_to_chat(8, 'SCAN: No pet found in 5 ticks') end end end end) windower.register_event('incoming chunk',function(id,original,modified,injected,blocked) if not injected then if id == 0x44 then if original:unpack('C', 0x05) == 0x12 then -- puppet update local new_current_hp, new_max_hp, new_current_mp, new_max_mp = original:unpack('HHHH', 0x069) if (not petactive) or (petname == nil) or (petname == "") or (new_current_hp ~= current_hp) or (new_max_hp ~= max_hp) or (new_current_mp ~= current_mp) or (new_max_mp ~= max_mp) then if superverbose == true then windower.add_to_chat(8, '0x44' ..', cur_hp: '..new_current_hp ..', max_hp: '..new_max_hp ..', cur_mp: '..new_current_mp ..', max_mp: '..new_max_mp ..', name: '.. original:unpack('z', 0x59) ) end if petactive then local new_petname = original:unpack('z', 0x59) if petname == nil or petname == "" then if superverbose == true then windower.add_to_chat(8, 'Updating PuppetName: '..new_petname) end petname = new_petname end if petname == new_petname then -- make sure we only update if we actually have a puppet out current_hp = new_current_hp max_hp = new_max_hp current_mp = new_current_mp max_mp = new_max_mp if max_hp ~= 0 then current_hp_percent=math.floor(100*current_hp/max_hp) else current_hp_percent=0 end if max_mp ~= 0 then current_mp_percent=math.floor(100*current_mp/max_mp) else current_mp_percent=0 end printpettp() else if superverbose == true then windower.add_to_chat(8, '0x44, pet is not a puppet') end end else if superverbose == true then windower.add_to_chat(8, '0x44, puppet not active') end end end end elseif id == 0x67 then -- general hp/tp/mp update local msg_type,msg_len = original:unpack('b6b10',0x05); pet_idx = original:unpack('H', 0x07) own_idx = original:unpack('H', 0x0D) if (msg_type == 0x04) then pet_idx, own_idx = own_idx, pet_idx end if superverbose == true and not ( (msg_type == 0x02) -- not pet related or (msg_type == 0x03 and (own_idx == 0)) -- NPC pops or (msg_type == 0x03 and (own_idx ~= windower.ffxi.get_player().index)) -- other people summoning ) then windower.add_to_chat(8, '0x67' ..', msg_type: '..string.format('0x%02x', msg_type) ..', msg_len: '..msg_len ..', pet_idx: '..pet_idx ..', pet_id: '..(original:byte(0x09)+original:byte(0x0A)*256) ..', own_idx: '..own_idx ..', hp%: '..original:byte(0x0F) ..', mp%: '..original:byte(0x10) ..', tp%: '..(original:byte(0x11)+original:byte(0x12)*256) ..', name: '.. ((msg_len > 24) and original:unpack('z', 0x19) or "") ) end if (msg_type == 0x04) then if (pet_idx == 0) then if verbose == true then windower.add_to_chat(8, 'Pet died/despawned') end make_invisible() else local newpet = false if not petactive then petactive = true -- force our pet to appear even if it's not attached to us yet if update_pet('0x67-0x*4',pet_idx,own_idx) == true then make_visible() newpet = true else if superverbose == true then windower.add_to_chat(8, 'Pet not found') end make_invisible() end end local new_hp_percent, new_mp_percent, new_tp_percent = original:unpack('CCH', 0x0F) new_tp_percent = new_tp_percent if newpet or (new_hp_percent ~= current_hp_percent) or (new_mp_percent ~= current_mp_percent) or (new_tp_percent ~= current_tp_percent) or (petname == nil) or (petname == "") then if (max_hp ~= 0) and (new_hp_percent ~= current_hp_percent) then current_hp = math.floor(new_hp_percent * max_hp / 100) end if (max_mp ~= 0) and (new_mp_percent ~= current_mp_percent) then current_mp = math.floor(new_mp_percent * max_mp / 100) end if ((petname == nil) or (petname == "")) and (msg_len > 24) then petname = original:unpack('S16', 0x19) if superverbose == true then windower.add_to_chat(8, 'Updated PetName: '..petname) end end current_hp_percent = new_hp_percent current_mp_percent = new_mp_percent current_tp_percent = new_tp_percent printpettp(pet_idx,own_idx) end end elseif not petactive and (msg_type == 0x03) and (own_idx == windower.ffxi.get_player().index) then if update_pet('0x67-0x03',pet_idx,own_idx) == true then make_visible() printpettp(pet_idx,own_idx_in) else -- last resort timercountdown = 5 if superverbose == true then windower.add_to_chat(8, 'Starting to scan for a pet...') end end end elseif id==0x0E and S{0x07,0x0F}:contains(original:byte(0x0B)) then -- npc update if mypet_idx == original:unpack('H', 0x09) then if current_hp_percent ~= original:byte(0x1F) then if superverbose == true then windower.add_to_chat(8, '0x0E - '..original:byte(0x0B)..': '..original:byte(0x1F)) end current_hp_percent = original:byte(0x1F) if max_hp ~= 0 then current_hp = math.floor(current_hp_percent * max_hp / 100) end printpettp(mypet_idx) end end elseif id==0x0E and not S{0x00,0X01,0x08,0x09,0x20}:contains(original:byte(0x0B)) and mypet_idx == (original:byte(0x09)+original:byte(0x0A)*256) then if superverbose == true then windower.add_to_chat(8, '0x0E ~ '..original:byte(0x0B)..': '..original:byte(0x1F)) end end end end) windower.register_event('load', function() if superverbose == true then windower.add_to_chat(8, 'Player index: '..windower.ffxi.get_player().index) if windower.ffxi.get_mob_by_target('pet') then windower.add_to_chat(8, 'Pet index: '..windower.ffxi.get_mob_by_target('pet').index) end end if windower.ffxi.get_player() then if update_pet('load') == true then make_visible() printpettp() end end end) windower.register_event('zone change', function() mypet_idx = nil if update_pet('zone') == true then if verbose == true then windower.add_to_chat(8, 'Found pet after zoning...') end make_visible() printpettp() elseif petactive then make_invisible() if verbose == true then windower.add_to_chat(8, 'Lost pet after zoning...') end end end) windower.register_event('job change', function() make_invisible() end) windower.register_event('addon command', function(...) local splitarr = {...} for i,v in pairs(splitarr) do if v:lower() == 'save' then config.save(settings, 'all') elseif v:lower() == 'verbose' then verbose = not verbose windower.add_to_chat(121,'PetTP: Verbose Mode flipped! - '..tostring(verbose)) elseif v:lower() == 'superverbose' then superverbose = not superverbose windower.add_to_chat(121,'PetTP: SuperVerbose Mode flipped! - '..tostring(superverbose)) elseif v:lower() == 'help' then print(' ::: '.._addon.name..' ('.._addon.version..') :::') print('Utilities:') print(' 1. verbose --- Some light logging, Default = false') print(' 2. help --- shows this menu') end end end)
{ "content_hash": "0f0c9f1bcb6a24f3ff0f0babbbc89faf", "timestamp": "", "source": "github", "line_count": 416, "max_line_length": 275, "avg_line_length": 43.41346153846154, "alnum_prop": 0.5325581395348837, "repo_name": "kidaa/FFXIWindower", "id": "d8b2b386f4991586f0fb5b9101509dee2aedd3e3", "size": "18060", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "addons/PetTP/PetTP.lua", "mode": "33188", "license": "mit", "language": [ { "name": "Lua", "bytes": "10440407" } ], "symlink_target": "" }
/* * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package io.prestosql.execution; import com.google.common.collect.ImmutableList; import com.google.common.collect.ImmutableMap; import io.prestosql.Session; import io.prestosql.connector.CatalogName; import io.prestosql.execution.warnings.WarningCollector; import io.prestosql.metadata.CatalogManager; import io.prestosql.metadata.MetadataManager; import io.prestosql.plugin.base.security.AllowAllSystemAccessControl; import io.prestosql.security.AccessControl; import io.prestosql.security.AllowAllAccessControl; import io.prestosql.security.DenyAllAccessControl; import io.prestosql.spi.connector.ConnectorAccessControl; import io.prestosql.spi.connector.SchemaTableName; import io.prestosql.spi.procedure.Procedure; import io.prestosql.spi.resourcegroups.ResourceGroupId; import io.prestosql.spi.security.AccessDeniedException; import io.prestosql.sql.analyzer.FeaturesConfig; import io.prestosql.sql.tree.Call; import io.prestosql.sql.tree.QualifiedName; import io.prestosql.testing.TestingAccessControlManager; import io.prestosql.transaction.TransactionManager; import org.testng.annotations.AfterClass; import org.testng.annotations.BeforeClass; import org.testng.annotations.BeforeMethod; import org.testng.annotations.Test; import java.lang.invoke.MethodHandle; import java.net.URI; import java.util.Optional; import java.util.concurrent.ExecutorService; import java.util.function.Function; import static io.airlift.concurrent.Threads.daemonThreadsNamed; import static io.prestosql.metadata.MetadataManager.createTestMetadataManager; import static io.prestosql.spi.block.MethodHandleUtil.methodHandle; import static io.prestosql.testing.TestingAccessControlManager.TestingPrivilegeType.INSERT_TABLE; import static io.prestosql.testing.TestingAccessControlManager.privilege; import static io.prestosql.testing.TestingEventListenerManager.emptyEventListenerManager; import static io.prestosql.testing.TestingSession.createBogusTestingCatalog; import static io.prestosql.testing.TestingSession.testSessionBuilder; import static io.prestosql.transaction.InMemoryTransactionManager.createTestTransactionManager; import static java.util.concurrent.Executors.newCachedThreadPool; import static org.assertj.core.api.Assertions.assertThat; import static org.assertj.core.api.Assertions.assertThatThrownBy; @Test(singleThreaded = true) public class TestCallTask { private ExecutorService executor; private static boolean invoked; @BeforeClass public void init() { executor = newCachedThreadPool(daemonThreadsNamed("call-task-test-%s")); } @AfterClass(alwaysRun = true) public void close() { executor.shutdownNow(); executor = null; } @BeforeMethod public void cleanup() { invoked = false; } @Test public void testExecute() { executeCallTask(methodHandle(TestCallTask.class, "testingMethod"), transactionManager -> new AllowAllAccessControl()); assertThat(invoked).isTrue(); } @Test public void testExecuteNoPermission() { assertThatThrownBy( () -> executeCallTask(methodHandle(TestCallTask.class, "testingMethod"), transactionManager -> new DenyAllAccessControl())) .isInstanceOf(AccessDeniedException.class) .hasMessage("Access Denied: Cannot execute procedure test.test.testing_procedure"); assertThat(invoked).isFalse(); } @Test public void testExecuteNoPermissionOnInsert() { assertThatThrownBy( () -> executeCallTask( methodHandle(TestingProcedure.class, "testingMethod", ConnectorAccessControl.class), transactionManager -> { TestingAccessControlManager accessControl = new TestingAccessControlManager(transactionManager, emptyEventListenerManager()); accessControl.loadSystemAccessControl(AllowAllSystemAccessControl.NAME, ImmutableMap.of()); accessControl.deny(privilege("testing_table", INSERT_TABLE)); return accessControl; })) .isInstanceOf(AccessDeniedException.class) .hasMessage("Access Denied: Cannot insert into table test.test.testing_table"); } private void executeCallTask(MethodHandle methodHandle, Function<TransactionManager, AccessControl> accessControlProvider) { TransactionManager transactionManager = createTransactionManager(); MetadataManager metadata = createMetadataManager( transactionManager, new Procedure( "test", "testing_procedure", ImmutableList.of(), methodHandle)); AccessControl accessControl = accessControlProvider.apply(transactionManager); new CallTask() .execute( new Call(QualifiedName.of("testing_procedure"), ImmutableList.of()), transactionManager, metadata, accessControl, stateMachine(transactionManager, metadata, accessControl), ImmutableList.of()); } private TransactionManager createTransactionManager() { CatalogManager catalogManager = new CatalogManager(); catalogManager.registerCatalog(createBogusTestingCatalog("test")); return createTestTransactionManager(catalogManager); } private MetadataManager createMetadataManager(TransactionManager transactionManager, Procedure procedure) { MetadataManager metadata = createTestMetadataManager(transactionManager, new FeaturesConfig()); metadata.getProcedureRegistry().addProcedures(new CatalogName("test"), ImmutableList.of(procedure)); return metadata; } private QueryStateMachine stateMachine(TransactionManager transactionManager, MetadataManager metadata, AccessControl accessControl) { return QueryStateMachine.begin( "CALL testing_procedure()", Optional.empty(), testSession(transactionManager), URI.create("fake://uri"), new ResourceGroupId("test"), false, transactionManager, accessControl, executor, metadata, WarningCollector.NOOP, Optional.empty()); } private Session testSession(TransactionManager transactionManager) { return testSessionBuilder() .setCatalog("test") .setSchema("test") .setTransactionId(transactionManager.beginTransaction(true)) .build(); } public static void testingMethod() { invoked = true; } public static class TestingProcedure { public static void testingMethod(ConnectorAccessControl connectorAccessControl) { connectorAccessControl.checkCanInsertIntoTable(null, new SchemaTableName("test", "testing_table")); } } }
{ "content_hash": "7b5260ab7a4ff3329cc720d492d98581", "timestamp": "", "source": "github", "line_count": 195, "max_line_length": 153, "avg_line_length": 39.815384615384616, "alnum_prop": 0.6993817619783617, "repo_name": "erichwang/presto", "id": "06905a6159d0f7816ef6cca62606a00688993ba5", "size": "7764", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "presto-main/src/test/java/io/prestosql/execution/TestCallTask.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "ANTLR", "bytes": "19017" }, { "name": "HTML", "bytes": "56868" }, { "name": "Java", "bytes": "14031411" }, { "name": "JavaScript", "bytes": "4863" }, { "name": "Makefile", "bytes": "6819" }, { "name": "PLSQL", "bytes": "6538" }, { "name": "Python", "bytes": "4479" }, { "name": "SQLPL", "bytes": "6363" }, { "name": "Shell", "bytes": "9313" } ], "symlink_target": "" }
define([ './IonImageryProvider', './IonWorldImageryStyle', '../Core/defaultValue' ], function( IonImageryProvider, IonWorldImageryStyle, defaultValue) { 'use strict'; /** * Creates an {@link IonImageryProvider} instance for ion's default global base imagery layer, currently Bing Maps. * * @exports createWorldImagery * * @param {Object} [options] Object with the following properties: * @param {IonWorldImageryStyle} [options.style=IonWorldImageryStyle] The style of base imagery, only AERIAL, AERIAL_WITH_LABELS, and ROAD are currently supported. * @returns {IonImageryProvider} * * @see Ion * * @example * // Create Cesium World Terrain with default settings * var viewer = new Cesium.Viewer('cesiumContainer', { * imageryProvider : Cesium.createWorldImagery(); * }); * * @example * // Create Cesium World Terrain with water and normals. * var viewer = new Cesium.Viewer('cesiumContainer', { * imageryProvider : Cesium.createWorldImagery({ * mapStyle : Cesium.BingMapsStyle.AERIAL_WITH_LABELS * }) * }); * */ function createWorldImagery(options) { options = defaultValue(options, defaultValue.EMPTY_OBJECT); var style = defaultValue(options.style, IonWorldImageryStyle.AERIAL); return new IonImageryProvider({ assetId: style }); } return createWorldImagery; });
{ "content_hash": "44bca1d8d4017d0faa93523296559436", "timestamp": "", "source": "github", "line_count": 46, "max_line_length": 167, "avg_line_length": 32.52173913043478, "alnum_prop": 0.641042780748663, "repo_name": "oterral/cesium", "id": "e37f53ac3b6601ef8900e1f1cee9bf9ba4ea275b", "size": "1496", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Source/Scene/createWorldImagery.js", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "CSS", "bytes": "659289" }, { "name": "GLSL", "bytes": "247456" }, { "name": "HTML", "bytes": "2008592" }, { "name": "JavaScript", "bytes": "23971138" }, { "name": "Shell", "bytes": "291" } ], "symlink_target": "" }
""" Kubernetes No description provided (generated by Openapi Generator https://github.com/openapitools/openapi-generator) # noqa: E501 The version of the OpenAPI document: release-1.25 Generated by: https://openapi-generator.tech """ import pprint import re # noqa: F401 import six from kubernetes.client.configuration import Configuration class V1FlexPersistentVolumeSource(object): """NOTE: This class is auto generated by OpenAPI Generator. Ref: https://openapi-generator.tech Do not edit the class manually. """ """ Attributes: openapi_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. """ openapi_types = { 'driver': 'str', 'fs_type': 'str', 'options': 'dict(str, str)', 'read_only': 'bool', 'secret_ref': 'V1SecretReference' } attribute_map = { 'driver': 'driver', 'fs_type': 'fsType', 'options': 'options', 'read_only': 'readOnly', 'secret_ref': 'secretRef' } def __init__(self, driver=None, fs_type=None, options=None, read_only=None, secret_ref=None, local_vars_configuration=None): # noqa: E501 """V1FlexPersistentVolumeSource - a model defined in OpenAPI""" # noqa: E501 if local_vars_configuration is None: local_vars_configuration = Configuration() self.local_vars_configuration = local_vars_configuration self._driver = None self._fs_type = None self._options = None self._read_only = None self._secret_ref = None self.discriminator = None self.driver = driver if fs_type is not None: self.fs_type = fs_type if options is not None: self.options = options if read_only is not None: self.read_only = read_only if secret_ref is not None: self.secret_ref = secret_ref @property def driver(self): """Gets the driver of this V1FlexPersistentVolumeSource. # noqa: E501 driver is the name of the driver to use for this volume. # noqa: E501 :return: The driver of this V1FlexPersistentVolumeSource. # noqa: E501 :rtype: str """ return self._driver @driver.setter def driver(self, driver): """Sets the driver of this V1FlexPersistentVolumeSource. driver is the name of the driver to use for this volume. # noqa: E501 :param driver: The driver of this V1FlexPersistentVolumeSource. # noqa: E501 :type: str """ if self.local_vars_configuration.client_side_validation and driver is None: # noqa: E501 raise ValueError("Invalid value for `driver`, must not be `None`") # noqa: E501 self._driver = driver @property def fs_type(self): """Gets the fs_type of this V1FlexPersistentVolumeSource. # noqa: E501 fsType is the Filesystem type to mount. Must be a filesystem type supported by the host operating system. Ex. \"ext4\", \"xfs\", \"ntfs\". The default filesystem depends on FlexVolume script. # noqa: E501 :return: The fs_type of this V1FlexPersistentVolumeSource. # noqa: E501 :rtype: str """ return self._fs_type @fs_type.setter def fs_type(self, fs_type): """Sets the fs_type of this V1FlexPersistentVolumeSource. fsType is the Filesystem type to mount. Must be a filesystem type supported by the host operating system. Ex. \"ext4\", \"xfs\", \"ntfs\". The default filesystem depends on FlexVolume script. # noqa: E501 :param fs_type: The fs_type of this V1FlexPersistentVolumeSource. # noqa: E501 :type: str """ self._fs_type = fs_type @property def options(self): """Gets the options of this V1FlexPersistentVolumeSource. # noqa: E501 options is Optional: this field holds extra command options if any. # noqa: E501 :return: The options of this V1FlexPersistentVolumeSource. # noqa: E501 :rtype: dict(str, str) """ return self._options @options.setter def options(self, options): """Sets the options of this V1FlexPersistentVolumeSource. options is Optional: this field holds extra command options if any. # noqa: E501 :param options: The options of this V1FlexPersistentVolumeSource. # noqa: E501 :type: dict(str, str) """ self._options = options @property def read_only(self): """Gets the read_only of this V1FlexPersistentVolumeSource. # noqa: E501 readOnly is Optional: defaults to false (read/write). ReadOnly here will force the ReadOnly setting in VolumeMounts. # noqa: E501 :return: The read_only of this V1FlexPersistentVolumeSource. # noqa: E501 :rtype: bool """ return self._read_only @read_only.setter def read_only(self, read_only): """Sets the read_only of this V1FlexPersistentVolumeSource. readOnly is Optional: defaults to false (read/write). ReadOnly here will force the ReadOnly setting in VolumeMounts. # noqa: E501 :param read_only: The read_only of this V1FlexPersistentVolumeSource. # noqa: E501 :type: bool """ self._read_only = read_only @property def secret_ref(self): """Gets the secret_ref of this V1FlexPersistentVolumeSource. # noqa: E501 :return: The secret_ref of this V1FlexPersistentVolumeSource. # noqa: E501 :rtype: V1SecretReference """ return self._secret_ref @secret_ref.setter def secret_ref(self, secret_ref): """Sets the secret_ref of this V1FlexPersistentVolumeSource. :param secret_ref: The secret_ref of this V1FlexPersistentVolumeSource. # noqa: E501 :type: V1SecretReference """ self._secret_ref = secret_ref def to_dict(self): """Returns the model properties as a dict""" result = {} for attr, _ in six.iteritems(self.openapi_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 pprint.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, V1FlexPersistentVolumeSource): return False return self.to_dict() == other.to_dict() def __ne__(self, other): """Returns true if both objects are not equal""" if not isinstance(other, V1FlexPersistentVolumeSource): return True return self.to_dict() != other.to_dict()
{ "content_hash": "355e943e46a6eea1180038a332af11c3", "timestamp": "", "source": "github", "line_count": 231, "max_line_length": 213, "avg_line_length": 32.891774891774894, "alnum_prop": 0.6047644116872861, "repo_name": "kubernetes-client/python", "id": "857e1f34264dd2e00c09680521c5d765b3d0e9be", "size": "7615", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "kubernetes/client/models/v1_flex_persistent_volume_source.py", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "Batchfile", "bytes": "356" }, { "name": "Python", "bytes": "11454299" }, { "name": "Shell", "bytes": "43108" } ], "symlink_target": "" }
int filterwheel_init(sConfigStruct * config) { return 0; } int filterwheel_send(int position) { sleepMs(2000); return 0; } int filterwheel_uninit(sConfigStruct * config) { return 0; } #pragma GCC diagnostic warning "-Wunused-parameter"
{ "content_hash": "9fe50f950673fbbf8cade470559415b6", "timestamp": "", "source": "github", "line_count": 17, "max_line_length": 51, "avg_line_length": 14.294117647058824, "alnum_prop": 0.7366255144032922, "repo_name": "johannjacobsohn/so2-camera", "id": "2b7d2a32918b786a5d5d5136693ddcecdb90632e", "size": "346", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/filterwheel/mock/filterwheel.c", "mode": "33188", "license": "mit", "language": [ { "name": "Arduino", "bytes": "4495" }, { "name": "Batchfile", "bytes": "2018" }, { "name": "C", "bytes": "91354" }, { "name": "CMake", "bytes": "36313" }, { "name": "Shell", "bytes": "1182" } ], "symlink_target": "" }
/** * Make the two-step login easier. * * @author Niklas Laxström * @class mw.Api.plugin.login * @since 1.22 */ ( function ( mw, $ ) { 'use strict'; $.extend( mw.Api.prototype, { /** * @param {string} username * @param {string} password * @return {jQuery.Promise} See mw.Api#post */ login: function ( username, password ) { var params, apiPromise, innerPromise, api = this; params = { action: 'login', lgname: username, lgpassword: password }; apiPromise = api.post( params ); return apiPromise .then( function ( data ) { params.lgtoken = data.login.token; innerPromise = api.post( params ) .then( function ( data ) { var code; if ( data.login.result !== 'Success' ) { // Set proper error code whenever possible code = data.error && data.error.code || 'unknown'; return $.Deferred().reject( code, data ); } return data; } ); return innerPromise; } ) .promise( { abort: function () { apiPromise.abort(); if ( innerPromise ) { innerPromise.abort(); } } } ); } } ); /** * @class mw.Api * @mixins mw.Api.plugin.login */ }( mediaWiki, jQuery ) );
{ "content_hash": "f4b5efcef38c0d371c15e667b85ee5bc", "timestamp": "", "source": "github", "line_count": 60, "max_line_length": 58, "avg_line_length": 20.716666666666665, "alnum_prop": 0.5534995977473853, "repo_name": "owen-kellie-smith/mediawiki", "id": "2b709aae7bca023f27239acf3d01167c119142c3", "size": "1244", "binary": false, "copies": "58", "ref": "refs/heads/master", "path": "wiki/resources/src/mediawiki.api/mediawiki.api.login.js", "mode": "33188", "license": "mit", "language": [ { "name": "ApacheConf", "bytes": "405" }, { "name": "Batchfile", "bytes": "45" }, { "name": "CSS", "bytes": "522322" }, { "name": "Cucumber", "bytes": "33293" }, { "name": "HTML", "bytes": "26024" }, { "name": "JavaScript", "bytes": "3615192" }, { "name": "Lua", "bytes": "478" }, { "name": "Makefile", "bytes": "8898" }, { "name": "PHP", "bytes": "21628114" }, { "name": "PLSQL", "bytes": "61551" }, { "name": "PLpgSQL", "bytes": "31212" }, { "name": "Perl", "bytes": "27998" }, { "name": "Python", "bytes": "17169" }, { "name": "Ruby", "bytes": "69896" }, { "name": "SQLPL", "bytes": "2159" }, { "name": "Shell", "bytes": "31740" } ], "symlink_target": "" }
package org.apache.tomcat.util.http.fileupload; import java.io.File; import java.util.List; import javax.servlet.http.HttpServletRequest; /** * <p>High level API for processing file uploads.</p> * * <p>This class handles multiple files per single HTML widget, sent using * <code>multipart/mixed</code> encoding type, as specified by * <a href="http://www.ietf.org/rfc/rfc1867.txt">RFC 1867</a>. Use {@link * #parseRequest(HttpServletRequest)} to acquire a list of {@link * org.apache.tomcat.util.http.fileupload.FileItem}s associated with a given HTML * widget.</p> * * <p>Individual parts will be stored in temporary disk storage or in memory, * depending on their size, and will be available as {@link * org.apache.tomcat.util.http.fileupload.FileItem}s.</p> * * @author <a href="mailto:Rafal.Krzewski@e-point.pl">Rafal Krzewski</a> * @author <a href="mailto:dlr@collab.net">Daniel Rall</a> * @author <a href="mailto:jvanzyl@apache.org">Jason van Zyl</a> * @author <a href="mailto:jmcnally@collab.net">John McNally</a> * @author <a href="mailto:martinc@apache.org">Martin Cooper</a> * @author Sean C. Sullivan * * @version $Id: DiskFileUpload.java,v 1.3 2003/06/01 00:18:13 martinc Exp $ */ public class DiskFileUpload extends FileUploadBase { // ----------------------------------------------------------- Data members /** * The factory to use to create new form items. */ private DefaultFileItemFactory fileItemFactory; // ----------------------------------------------------------- Constructors /** * Constructs an instance of this class which uses the default factory to * create <code>FileItem</code> instances. * * @see #DiskFileUpload(DefaultFileItemFactory fileItemFactory) */ public DiskFileUpload() { super(); this.fileItemFactory = new DefaultFileItemFactory(); } /** * Constructs an instance of this class which uses the supplied factory to * create <code>FileItem</code> instances. * * @see #DiskFileUpload() */ public DiskFileUpload(DefaultFileItemFactory fileItemFactory) { super(); this.fileItemFactory = fileItemFactory; } // ----------------------------------------------------- Property accessors /** * Returns the factory class used when creating file items. * * @return The factory class for new file items. */ public FileItemFactory getFileItemFactory() { return fileItemFactory; } /** * Sets the factory class to use when creating file items. The factory must * be an instance of <code>DefaultFileItemFactory</code> or a subclass * thereof, or else a <code>ClassCastException</code> will be thrown. * * @param factory The factory class for new file items. */ public void setFileItemFactory(FileItemFactory factory) { this.fileItemFactory = (DefaultFileItemFactory) factory; } /** * Returns the size threshold beyond which files are written directly to * disk. * * @return The size threshold, in bytes. * * @see #setSizeThreshold(int) */ public int getSizeThreshold() { return fileItemFactory.getSizeThreshold(); } /** * Sets the size threshold beyond which files are written directly to disk. * * @param sizeThreshold The size threshold, in bytes. * * @see #getSizeThreshold() */ public void setSizeThreshold(int sizeThreshold) { fileItemFactory.setSizeThreshold(sizeThreshold); } /** * Returns the location used to temporarily store files that are larger * than the configured size threshold. * * @return The path to the temporary file location. * * @see #setRepositoryPath(String) */ public String getRepositoryPath() { return fileItemFactory.getRepository().getPath(); } /** * Sets the location used to temporarily store files that are larger * than the configured size threshold. * * @param repositoryPath The path to the temporary file location. * * @see #getRepositoryPath() */ public void setRepositoryPath(String repositoryPath) { fileItemFactory.setRepository(new File(repositoryPath)); } // --------------------------------------------------------- Public methods /** * Processes an <a href="http://www.ietf.org/rfc/rfc1867.txt">RFC 1867</a> * compliant <code>multipart/form-data</code> stream. If files are stored * on disk, the path is given by <code>getRepository()</code>. * * @param req The servlet request to be parsed. Must be non-null. * @param sizeThreshold The max size in bytes to be stored in memory. * @param sizeMax The maximum allowed upload size, in bytes. * @param path The location where the files should be stored. * * @return A list of <code>FileItem</code> instances parsed from the * request, in the order that they were transmitted. * * @exception FileUploadException if there are problems reading/parsing * the request or storing files. */ public List /* FileItem */ parseRequest(HttpServletRequest req, int sizeThreshold, long sizeMax, String path) throws FileUploadException { setSizeThreshold(sizeThreshold); setSizeMax(sizeMax); setRepositoryPath(path); return parseRequest(req); } }
{ "content_hash": "71488d0bd197dc0e7cbd506e293e5f81", "timestamp": "", "source": "github", "line_count": 189, "max_line_length": 81, "avg_line_length": 30, "alnum_prop": 0.6169312169312169, "repo_name": "plumer/codana", "id": "5b1bac9d862b7d978780ae98bff8e8f5f9b54dde", "size": "6293", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "tomcat_files/6.0.0/DiskFileUpload.java", "mode": "33188", "license": "mit", "language": [ { "name": "Java", "bytes": "101920653" }, { "name": "Python", "bytes": "58358" } ], "symlink_target": "" }
@interface PodsDummy_Pods_SYSUJwxt : NSObject @end @implementation PodsDummy_Pods_SYSUJwxt @end
{ "content_hash": "a64af4a07ccd8f310e29711b574aec65", "timestamp": "", "source": "github", "line_count": 4, "max_line_length": 45, "avg_line_length": 24, "alnum_prop": 0.8229166666666666, "repo_name": "benwwchen/sysujwxt-ios", "id": "2b06f2147e3508f404089a8264b54e0c29398efe", "size": "130", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "Pods/Target Support Files/Pods-SYSUJwxt/Pods-SYSUJwxt-dummy.m", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "HTML", "bytes": "24725" }, { "name": "Ruby", "bytes": "125" }, { "name": "Swift", "bytes": "130152" } ], "symlink_target": "" }
/* ** File Name: definitions.hpp ** Author: Aditya Ramesh ** Date: 08/12/2013 ** Contact: _@adityaramesh.com */ #ifndef Z2DAEF0A4_1547_46EA_B330_DCB3B056748A #define Z2DAEF0A4_1547_46EA_B330_DCB3B056748A #define PLATFORM_COMPILER_CLANG 0x00000001 #define PLATFORM_COMPILER_COMEAU 0x00000002 #define PLATFORM_COMPILER_GCC 0x00000004 #define PLATFORM_COMPILER_ICC 0x00000008 #define PLATFORM_COMPILER_MSVC 0x00000010 #define PLATFORM_COMPILER_UNKNOWN 0x00000000 #define PLATFORM_COMPILER_VERSION_UNKNOWN 0x00000000 #define PLATFORM_COMPILER_MAJOR_VERSION_UNKNOWN 0x00000000 #define PLATFORM_COMPILER_MINOR_VERSION_UNKNOWN 0x00000000 #define PLATFORM_COMPILER_PATCH_LEVEL_UNKNOWN 0x00000000 #define PLATFORM_ARCH_ARM 0x00000001 #define PLATFORM_ARCH_ITANIUM 0x00000002 #define PLATFORM_ARCH_X86 0x00000004 #define PLATFORM_ARCH_UNKNOWN 0x00000000 #define PLATFORM_WORD_SIZE_UNKNOWN 0x00000000 #define PLATFORM_NEWLINE_LENGTH_UNKNOWN 0x00000000 #define PLATFORM_MAX_FILENAME_LENGTH_UNKNOWN 0x00000000 #define PLATFORM_MAX_PATHNAME_LENGTH_UNKNOWN 0x00000000 #define PLATFORM_OS_LINUX_DISTRIBUTION 0x00000001 #define PLATFORM_OS_OS_X 0x00000002 #define PLATFORM_OS_WINDOWS 0x00000004 #define PLATFORM_OS_UNKNOWN 0x00000000 #define PLATFORM_KERNEL_LINUX 0x00000001 #define PLATFORM_KERNEL_WINDOWS_NT 0x00000002 #define PLATFORM_KERNEL_XNU 0x00000004 #define PLATFORM_KERNEL_UNKNOWN 0x00000000 #define PLATFORM_BYTE_ORDER_LITTLE 0x00000001 #define PLATFORM_BYTE_ORDER_BIG 0x00000002 #define PLATFORM_BYTE_ORDER_LITTLE_WORD 0x00000004 #define PLATFORM_BYTE_ORDER_UNKNOWN 0x00000000 #endif
{ "content_hash": "73433745989591b0c03559de22ab2fe6", "timestamp": "", "source": "github", "line_count": 48, "max_line_length": 58, "avg_line_length": 35.458333333333336, "alnum_prop": 0.7784958871915394, "repo_name": "adityaramesh/ccbase", "id": "128a15575ad696210061d770c420cf28e3fd0eb3", "size": "1702", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "include/ccbase/platform/definitions.hpp", "mode": "33188", "license": "bsd-3-clause", "language": [ { "name": "C++", "bytes": "216564" }, { "name": "Ruby", "bytes": "2895" }, { "name": "VimL", "bytes": "43916" } ], "symlink_target": "" }
using System; using System.Collections.Generic; using System.Linq; using System.Runtime.InteropServices; using System.Text; using System.Web.Mvc; using Moq; using NUnit.Framework; using RestOfUs.Services; using RestOfUs.Web.Controllers; using RestOfUs.Web.Models; using RestOfUs.Web.Services; using Shouldly; namespace RestOfUs.Web.UnitTests { [TestFixture] public class AccountControllerTests { [Test] [TestCase("alice", "p@ssw0rd", true)] [TestCase("alice", "p@ssw0rd", false)] public void Login_Success_Returns_Account(string username, string password, bool remember) { var mockAuthenticator = new Mock<IAuthenticator>(); var fakeUserStore = new FakeUserStore(); var controller = new AccountController(fakeUserStore, mockAuthenticator.Object); mockAuthenticator.Setup(auth => auth.SetAuthCookie(username, remember)).Verifiable(); controller.SignIn(username, password, null, remember); mockAuthenticator.Verify(); } [Test] [TestCase("no.such.user", "p@ssw0rd", true)] [TestCase("no.such.user", "p@ssw0rd", false)] public void Login_Username_Not_Found_Returns_View(string username, string password, bool remember) { var mockAuthenticator = new Mock<IAuthenticator>(); var fakeUserStore = new FakeUserStore(); var controller = new AccountController(fakeUserStore, mockAuthenticator.Object); mockAuthenticator.Setup(auth => auth.SetAuthCookie(It.IsAny<string>(), It.IsAny<bool>())) .Callback(() => Assert.Fail("Non-existent username should not set auth cookie")); var result = controller.SignIn(username, password, null, remember) as ViewResult; result.ShouldNotBe(null); mockAuthenticator.Verify(); ((SignInViewModel)result.Model).Message.ShouldBe("Username not found"); } [Test] [TestCase("alice", "incorrect", true)] [TestCase("alice", "incorrect", false)] public void Login_Incorrect_Password_Returns_View(string username, string password, bool remember) { var mockAuthenticator = new Mock<IAuthenticator>(); var fakeUserStore = new FakeUserStore(); var controller = new AccountController(fakeUserStore, mockAuthenticator.Object); mockAuthenticator.Setup(auth => auth.SetAuthCookie(It.IsAny<string>(), It.IsAny<bool>())) .Callback(() => Assert.Fail("Incorrect password should not set auth cookie")); var result = controller.SignIn(username, password, null, remember) as ViewResult; result.ShouldNotBe(null); mockAuthenticator.Verify(); ((SignInViewModel)result.Model).Message.ShouldBe("Incorrect password"); } [Test] public void Login_Works_With_Supplied_ReturnUrl() { var mockAuthenticator = new Mock<IAuthenticator>(); var fakeUserStore = new FakeUserStore(); var controller = new AccountController(fakeUserStore, mockAuthenticator.Object); var result = controller.SignIn("/foo/bar", null) as ViewResult; result.ShouldNotBe(null); mockAuthenticator.Verify(); ((SignInViewModel)result.Model).ReturnUrl.ShouldBe("/foo/bar"); } } }
{ "content_hash": "0fa75adcb6fb430582bb5974ae4c99bd", "timestamp": "", "source": "github", "line_count": 73, "max_line_length": 108, "avg_line_length": 46.26027397260274, "alnum_prop": 0.6553153686704175, "repo_name": "dylanbeattie/RestOfUs", "id": "64f3942ac00128a0fee2fbe0a3bef0bd70f2dc54", "size": "3379", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/RestOfUs.Web.UnitTests/AccountControllerTests.cs", "mode": "33188", "license": "mit", "language": [ { "name": "ASP", "bytes": "321" }, { "name": "C#", "bytes": "131289" }, { "name": "CSS", "bytes": "15158" }, { "name": "JavaScript", "bytes": "572" } ], "symlink_target": "" }
package core.config; import argo.jdom.JsonNode; import argo.jdom.JsonNodeFactories; import argo.jdom.JsonRootNode; import core.userDefinedTask.TaskGroup; import utilities.json.JSONUtility; public class Parser2_8 extends ConfigParser { @Override protected String getVersion() { return "2.8"; } @Override protected String getPreviousVersion() { return "2.7"; } @Override protected JsonRootNode internalConvertFromPreviousVersion(JsonRootNode previousVersion) { JsonNode globalSettings = previousVersion.getNode("global_settings"); JsonNode updated = JSONUtility.addChild(globalSettings, "use_clipboard_to_type_string", JsonNodeFactories.booleanNode(false)); return JSONUtility.replaceChild(previousVersion, "global_settings", updated).getRootNode(); } @Override protected boolean internalImportData(Config config, JsonRootNode root) { boolean result = true; for (JsonNode taskGroupNode : root.getArrayNode("task_groups")) { TaskGroup taskGroup = TaskGroup.parseJSON(config.getCompilerFactory(), taskGroupNode, ConfigParsingMode.IMPORT_PARSING); result &= taskGroup != null; if (taskGroup != null) { result &= config.getBackEnd().addPopulatedTaskGroup(taskGroup); } } return result; } }
{ "content_hash": "44dd5e4b9a05daa4707f1376ad277def", "timestamp": "", "source": "github", "line_count": 41, "max_line_length": 128, "avg_line_length": 30.146341463414632, "alnum_prop": 0.7726537216828478, "repo_name": "repeats/Repeat", "id": "015d25837f9b675fe84ff1f3299cf24643d4050d", "size": "1236", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/core/config/Parser2_8.java", "mode": "33188", "license": "apache-2.0", "language": [ { "name": "C#", "bytes": "910" }, { "name": "CSS", "bytes": "110441" }, { "name": "Java", "bytes": "1067303" }, { "name": "JavaScript", "bytes": "86809" }, { "name": "Python", "bytes": "24667" }, { "name": "SCSS", "bytes": "83382" } ], "symlink_target": "" }
Physics::Physics() : world(b2Vec2(0.0f, 9.81f)) { } Physics::~Physics() { bodies.clear(); } b2Body* Physics::CreateBody(int x, int y, b2BodyType type) { b2BodyDef def; // assign body def position def.position.x = (float)x; def.position.y = (float)y; // assign body def type def.type = type; // call the body factory witch allocates memory for the // given shape, the body is also added to the world return world.CreateBody(&def); } void Physics::DestroyBody(b2Body* body) { std::vector<b2Body*>::iterator it = bodies.begin(); while (it != bodies.end()) { if ((*it) == body) { world.DestroyBody(body); it = bodies.erase(it); break; } it++; } }
{ "content_hash": "d4777f0b0bfc4b67e4a4be5f93539689", "timestamp": "", "source": "github", "line_count": 39, "max_line_length": 58, "avg_line_length": 17.41025641025641, "alnum_prop": 0.646539027982327, "repo_name": "CollegeBart/bart-sdl-engine-h16", "id": "a752fb1616810d73519529381e91f11e60245b39", "size": "701", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/Core/Physics.cpp", "mode": "33188", "license": "mit", "language": [ { "name": "C", "bytes": "1584992" }, { "name": "C#", "bytes": "6928" }, { "name": "C++", "bytes": "602683" }, { "name": "CMake", "bytes": "8234" }, { "name": "Objective-C", "bytes": "8426" } ], "symlink_target": "" }
<?php namespace PiotrK\ClientBundle\Entity; use Doctrine\ORM\EntityRepository; /** * ClientOrderRepository * * This class was generated by the Doctrine ORM. Add your own custom * repository methods below. */ class ClientOrderRepository extends EntityRepository { }
{ "content_hash": "487e272d5466c773c3e2ef0388ca41e3", "timestamp": "", "source": "github", "line_count": 15, "max_line_length": 68, "avg_line_length": 18.2, "alnum_prop": 0.7728937728937729, "repo_name": "kozborn/clients", "id": "7852b68cdf17a143097043329455c6157f88b521", "size": "273", "binary": false, "copies": "1", "ref": "refs/heads/master", "path": "src/PiotrK/ClientBundle/Entity/ClientOrderRepository.php", "mode": "33188", "license": "mit", "language": [ { "name": "CSS", "bytes": "52563" }, { "name": "CoffeeScript", "bytes": "1765" }, { "name": "JavaScript", "bytes": "56670" }, { "name": "PHP", "bytes": "94814" } ], "symlink_target": "" }