Posts

Showing posts from February, 2010

objective c - will auto synthesize with @property(copy) NSString *string do auto copy? -

say if have property arc , auto-synthesize: @interface a: nsobject @property (nonatomic, copy) nsstring *name; @end now when using property, copy automatically, or have manual copy? like a *a = [a new]; nsstring *str = @"hello"; a.name = str; // or a.name = [str copy]? marking property copy work mutable instances. don't need copy immutable instances (like nsstring).

r - save the output of fix() or page() command to a text file -

how can save content of fix() or page() text file in r? for example: hcity.d2 <- hclust(uscitiesd, "ward.d2") # example of hclust in r file i want save output of page(hcity.d2) in text file. we can use dput() function. dput(hcity.d2,"test.txt")

android - How can I reconnect to IsoDep tag? -

i'm trying send apdu commands android phone nfc tag , answers. type of used technology isodep. works fine, sometimes, when time between sending commands large, tag switches disabled state , after every reconnection fails. my code: public byte[] transfercommand(byte[] command) throws exception { byte[] result = null; if (iso == null) { iso = isodep.get(tag); iso.connect(); } if (!iso.isconnected()) { try { iso.close(); iso.connect(); result = iso.transceive(command); } catch (exception ex) { iso.close(); } } return result; } could me please? thank much. the connect , related commands managing logical connection tag. is: grant thread , application exclusive access tag object. don't physical tag connection. (at least far know, it's been while since last read nfcservice c...

junit - Not able to partial mock static method with PowerMockito -

i mock static function named tobemockedfunction in util class. method called tobeunittested public static void method. want tobemockedfunction nothing. tried many approaches (snippet posted of such 2) of partial mock , stubbing , unable succeed. please suggest doing wrong. public class util { // code public static void tobeunittested(customobject cb, customobject1 cb1, list<customobject2> rows, boolean delete) { // code tobemockedfunction(cb, "test", "test"); } public static customobject tobemockedfunction(customobject cb, string str1) { // code } } and below junit class @runwith(powermockrunner.class) @preparefortest({ util.class}) public class utiltest { @test public void test1() { powermockito.spy(util.class); //mock tobemocked function , make nothing powermockito.when(powermockito.spy(util.tobemockedfunction((customobject)mockito.anyobject(), mockito.anystring()))...

Sitecore goal reports -

hi guys need create custom report show goals triggered within time period: goal name number of visitors (who converted goal) number of conversions (count of goal conversions) goal value (sum of value goal) value per visit (goal value / number visitors) can me documentation or sql queries how analytics database these values ? i'm using sitecore 7.2 140526 release . i found here structure of analytics database : https://sdn.sitecore.net/upload/sitecore6/65/report_designer_cookbook_sc65-a4.pdf still not goal conversions. have closer @ report designer cookbook, 4.2.5 page events. the pageevents table contains pageevents. includes visitid - key visits table, in turn has visitorid, key visitor table. tell of page events goal, use pageevents.pageeventdefinitionid, key pageeventdefinition table, contains column isgoal. that should give link between visitors , goals. rest writing queries.

StimulSoft Report For ASP.NET MVC5.2 -

i'm new asp.net mvc razor. want install stimulsoft reports.ultimate 2014.3 retail on visual studio 2013 ultimate update 4 dont add toollbox.iam dont see in toolbox.iam add dll references can me? it's impossible add mvc controls toolbox in visual studio.

php - Yii, querying gives array to string error -

$paymentids = yii::app()->db->createcommand('select payment_id client_package package_id = :pid , payment_id not null')->bindvalue(':pid', $pid)->queryall(); $total = yii::app()->db->createcommand('select count(*) payment id in ('.implode(",", $paymentids).') , date between \':ms\' , \':me\'')->bindvalue(':ms', $monthstart)->bindvalue(':me', $monthend)->queryscalar(); the above code query. can see, queried payment_id (s) according criteria. , have set of numbers. when execute second query, fails, throwing me error array string conversion i have tried this: $total = yii::app()->db->createcommand('select count(*) payment id in ('.implode(",", $paymentids['payment_id']).') , date between \':ms\' , \':me\'')->bindvalue(':ms', $monthstart)->bindvalue(':me', $monthend)->queryscalar(); now, gi...

Using a regular string as a code for compiling -

i need make function receives string such as: int *ptr[20], *p, p2, p3[3]; and function need print: ptr requires 80 bytes. p requires 4 bytes. p2 requires 4 bytes. p3 requires 12 bytes. to simplify task, use "fake" code in string "real" code, , print function sizeof(variable) answer question. think simple way. how it? what describe ability "evaluate" dynamically generated code. some languages -- evaluated (non-compiled) ones -- have such features, c++ not. even if did, wouldn't solution here. need parser. formal approach, may research lexers , context-free parsers. ad hoc approach...well...do whatever string manipulation like.

r - Why does RStudio not give output? -

i'm new r , i'm facing weird problem. when open new r session, works fine.. after time commands stop working. when execute command: getwd() the output just: > getwd() instead of displaying working directory displays executed command. after working session while, output of variables stops displaying. have close entire rstudio , open anew rectify problem. wasting lot of time. how come out of this??

java - Swing GUI design -

Image
i newbie in swing gui components. have design component image below. i didn't know kind of gui component have use this. looking suitable component "master & details" panels in image. panel should border , header section. in header section want place panel name in left in image & want place labels in right side corner on header. please suggest me suitable component. something this: jpanel demopanel = new jpanel(new borderlayout(10,10)); demopanel.add(new jlabel("demo"), borderlayout.page_start); jpanel master = new jpanel(new borderlayout()); master.setborder(new etchedborder(etchedborder.lowered)); master.add(new jlabel("master"), borderlayout.page_start); jpanel detail = new jpanel(); detail.add(new jlabel("detail"), borderlayout.page_start); detail.setborder(new etchedborder(etchedborder.lowered)); jpanel alpha = new jpanel(new borderlayout()); alpha.add(new jlabel("alpha (translucency)"), borderlayo...

Java 8 eagerly get the result of an intermediate stream operation -

given following code: list<string> list = arrays.aslist("a", "b", "c"); list.stream() .map(s -> s + "-" + s) //"a-a", "b-b", "c-c" .filter(s -> !s.equals("b-b")) //"a-a", "c-c" .foreach(s -> system.out.println(s)); map , filter intermediate operations , foreach terminal operation. after execution of terminal operation can have result of data transformation. is there way force evaluation more eager , have kind of intermediate result - without breaking stream operations chain? example want have list of "a-a", "b-b", "c-c" (which result of first intermediate operation). you can use peek : list<string> allpairs = new arraylist<>(); list<string> list = arrays.aslist("a", "b", "c"); list.stream() .map(s -> s + ...

javascript - How to enable last 3 months date from current date in DHTML v1.0 -

if(date.getfullyear() == now.getfullyear()) { if(date.getmonth() < now.getmonth() - 3) { return true; // disable other dates } if(date.getmonth() == now.getmonth() - 3) { if(date.getdate() < now.getdate()) { return true; } } } this code working fine.but if current date in february. not disabling december since included in 3 months. please share opinion on this. var threemonthsago = new date(); threemonthsago.setmonth(threemonthsago.getmonth() - 3); return threemonthsago <= date

Spark SQL ODBC Connection not connected -

i have build spark source using following command mvn -pyarn -phadoop-2.5 -dhadoop.version=2.5.2 -phive -phive-1.1.0 -phive-thriftserver -dskiptests clean package i have started thrift server using following command spark-submit --class org.apache.spark.sql.hive.thriftserver.hivethriftserver2 --master local[*] file:///c:/spark-1.3.1/sql/hive-thriftserver/target/spark-hive-thriftserver_2.10-1.3.1.jar connected thriftserver in beeline using following command jdbc:hive2://localhost:10000 created table named people using following query create table people(name string); load data local inpath ‘c:\spark-1.3.1\examples\src\main\resources\people.txt’ overwrite table people; how read table c# application using odbc connection or thrift library? i have use following code snippet read table using c# code generated thrift , thrift dll console.writeline("thrift hive server spark sql connection...."); tsocket hivesocket = new tsocket("localhost", 10000...

Is there are more concise way than using position() for multiple conditions in XPath? -

in xpath can use *[position()=1 or position()=last()] both first , last matching node. however, if want either first or last node can use *[1] or *[last()] respectively. trying use *[1 or last()] selects nodes. there more concise way of joining conditions? short answer: no . there no more concise way [position()=1 or position()=last()] make sense purpose. regarding predicate tried [1 or last()] : number 0 translated boolean false , rest translated true . last() returns position index of last element in context given above rules, kind of predicate expressions [1 or last()] translated [true or true] evaluates true , that's why all nodes using predicate.

cordova - Disabling caching in crosswalk -

i'm using ionic crosswalk. know app crosswalk bigger without it. see crosswalk caching data (guess images , data internet) , app bigger when navigating. can disable it?? yes! big problem. you can call: xwalkview.clearcache() in oncreate or ondestroy method. also constant reload_ignore_cache ignore cache files on startup. have not used till now.

spritebuilder - Cocos2d CCNode.positionInPoints gives percentage value not position? -

i think have simple problem. making project in sprite builder, , tend lay things out percentages. but in xcode when "position in points" give me percentage (i.e. number 0-1). if change percentages in spritbuilder works fine, keep things in percentage. what causing this? it's position type . reference : by using positiontype property can specify how node’s position interpreted. instance, if set type ccpositiontypenormalized position value of (0.5, 0.5) place node in center of parent’s container. container specified parent’s contentsize .

global variable in class php -

i want use variable global in recursive function defined in class. want this. <?php class copycontroller extends basecontroller { function copycontroller () { $foo="123" ; function recursive () { global $foo ; echo $foo ; recursive() ; } recursive(); } } in origin code have condition stop recursive.output null . can me ? you can't nest functions that. can this: class copycontroller extends basecontroller { function copycontroller() { $foo="123"; $this->recursive(); } function recursive() { global $foo; echo $foo; $this->recursive() } } also notice using global variables considered bad practice. i'm not sure goal is, may better define class property $foo , , access instead: class copycontroller extends basecontroller { protected $foo; function copycontroller() { $this->foo = "123"; ...

aql - How to get sub document from complex JSON - ArangoDB -

i need events sub documents (array of events) contain _playerid = somevalue , can done aql in arangodb? sample doc: { "livescore": { "league": [ { "match": { "home": { "_goals": "2", "_id": "2337787", "_name": "defensa y justicia" }, "away": { "_goals": "3", "_id": "2337780", "_name": "colon santa fe" }, "events": { "event": [ { "_assist": "", "_assistid": ""...

c# - View data of .mdf file within visual studio -

i have simple problem have searched across google , no avail. i have .mdf file has 3 tables, working file in asp.net webforms e.g updating, adding data etc... want able view contents of .mdf file in visual studio make sure queries (written in c#) working correctly. at moment doing opening file in sql server 2014 way have close visual studio file can used on instance. i know can achieved connecting server , .mdf file. any suggestions? go view > sql server object explorer right click sql server node , select add sql server . but aware. if developing program uses connection to, application might throw exception saying can connect database once.

ruby on rails - Polymorphic relationship inside a join table -

i'm trying create "composable" article model, user might create article add number of different "blocks", example: textblock , videoblock lastly galleryblock . i want able this: a = article.find(1) text = textblock.new text.content = "blah" a.blocks << text puts a.blocks # =>[textblock, videoblock, ...] textblock , videoblock , galleryblock dissimilar enough using sti bad fit. i think may possible want having join table, 1 of relationships polymorphic, haven't been able work. here i'm at, wont function: class article < activerecord::base has_many :article_blocks has_many :blocks, through: :article_blocks end class textblock < activerecord::base has_one :article_block, as: :block has_one :article, through: :article_block end class articleblock < activerecord::base belongs_to :article belongs_to :block, polymorphic: true end and schema activerecord::schema.define(version: 20150520030333) ...

python - Does instantiating a class redefine the class including all of its methods? -

i'm making program go through @ least 1,016,064 gear permutations on diablo 3. i've been experimenting different theoretical implementations , decided wanted use classes represent each permutation rather having deal massive , convoluted dictionaries. method can store instance , replace when new permutation superior former. in case takes computer (i7-3632qm) 40 seconds go through of permutations doing 30 flops per permutation, , cant imagine how long it'll take if has define 50 methods each time class instantiated. anyway, think it'll like: class perm: def __init__(self, *args): self.x = 10 self.y = 5 self.z = 100 item in args: if hasattr(self, item): getattr(self, item)() self.val_1 = self.x * 2 self.val_2 = self.y * 5 self.val_3 = self.z/(self.z+300) def head_1(self): self.x += 5 self.z + 200 def head_2(self): self.x += 10 self.y += 10 def feet_1(self): self.y += 5 self.z += 250 ...

php - .htaccess url rewrite remove id -

is possible .htaccess remove parameter id of url & show text. have url like current url http://localhost/profile.php?profileid=4554 rewrited .htaccess http://localhost/profileid-4554/my username needed url http://localhost/profileid/my username in above url, want remove id 4554. .htaccess rewriteengine on rewritecond %{request_filename}\.php -f rewriterule ^(.*)$ $1.php rewriterule ^profileid-([0-9]+) profile?profileid=$1 is possible that? you ask http://localhost/profileid-4554/my username . don't understand take my username . rest can done next rewriteengine on rewritecond %{query_string} profileid=([^&]+) rewriterule profile.php /profileid-%1 [l,r]

security - Hadoop cannot access /logs/. in secure mode -

i using hadoop-2.6.0 , enabled security kerberos. working fine. unable access logs files browser. shows problem accessing /logs/. reason: user babu unauthorized access page. i tried users no luck. can me how authorize user access log files? you shouldn't access logs directly in fs, access restricted nm user , yarn group. use log-aggregation service retrieve/view logs. see simplifying user-logs management , access in yarn .

grails - Relational Mapping between tables in different schema -

currently application working on multiple schema in database, have common schema stores master tables whereas other schemas store client specific data. so, specific scenario (below tables example purpose) master table animaltype resided in common schema whereas animal table available on client schema such schema1 , schema2 ... scheman . we using grails default uses hibernate so, relation class animaltype { string type static mapping = { datasources(['index']) } } class animal { string name aniamltype animaltype } so, when start application shows below exception: caused by: org.springframework.beans.factory.beancreationexception: error creating bean name 'sessionfactory': invocation of init method failed; nested exception org.hibernate.mappingexception: association table animal refers unmapped class: org.sample.animaltype what understood because, animal trying refer animaltype in it's own schema, animaltyp...

Store log file / console output of Jenkins job build in dreamhost -

we've jenkins jobs. when new build created in jenkins, want store console output or log file in dreamhost ( http://www.dreamhost.com ). we have buckets , access_key , secret_key in dreamhost. how can store console output of every build shell commands, plugin or idea? with post step shell script, can console log file wget command: wget -o my_build.log ${build_url}consoletext next, can upload log file scp or ftp command.

java - Autowire NullPointerException -

i getting nullpointerexception @ @autowired annotation. i have added <context:annotation-config/> in spring-context.xml , sessionfactory bean id 'sessionfactory'. <bean id="sessionfactory" class="org.springframework.orm.hibernate4.localsessionfactorybean"> @autowired private sessionfactory sessionfactory; can tell root cause. stack: java.lang.nullpointerexception @ customerdao.findall(customerdao.java:20) @ customerservice.getcustomers(customerservice.java:19) @ customerresource.listcustomers(customerresource.java:21) @ sun.reflect.nativemethodaccessorimpl.invoke0(native method) @ sun.reflect.nativemethodaccessorimpl.invoke(unknown source) @ sun.reflect.delegatingmethodaccessorimpl.invoke(unknown source) @ java.lang.reflect.method.invoke(unknown source) spring bean defination xml: <?xml version="1.0" encoding="utf-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns...

PHP Array re-arrange to Multi Dimensional -

i have array structure , wanted re-arrange 1 below. suggestions faster/simple fix? did addition of dates. thanks! :) input: array ( [0] => array ( [user_id] => 255 [display_name] => mark [company_name] => company_a ) [1] => array ( [user_id] => 150 [display_name] => paul [company_name] => company_a ) [2] => array ( [user_id] => 25 [display_name] => hulk [company_name] => company_b ) [3] => array ( [user_id] => 50 [display_name] => bob [company_name] => company_b ) ) output: array ( [company_a] => array ( [company_total_hours] => 20h 45m [employees] => array ( [0] => array ( ...

ios - How to wait and get the proper result in caller class from a block function of second class -

i having difficulty result block function second class. the below function returns boolean value first class . - (bool)loadaccountwithusername:(nsstring *)username password:(nsstring *)password hostname:(nsstring *)hostname oauth2token:(nsstring *)oauth2token { __block _bool bloadedsuccess = false; self.imapsession = [[mcoimapsession alloc] init]; self.imapsession.hostname = hostname; self.imapsession.port = 993; self.imapsession.username = username; self.imapsession.password = password; if (oauth2token != nil) { self.imapsession.oauth2token = oauth2token; self.imapsession.authtype = mcoauthtypexoauth2; } self.imapsession.connectiontype = mcoconnectiontypetls; masterviewcontroller * __weak weakself = self; self.imapsession.connectionlogger = ^(void * connectionid, mcoconnectionlogtype type, nsdata * data) { @synchronized(weakself) { ...

actionscript 3 - Hide a character in textField using TextFormat in as3 -

i have textfield text , need hide last character i tried _textfield.text = "my string"; var newtextformat:textformat = new textformat(); newtextformat.size = 0; _textfield.settextformat(newtextformat, _textfield.length-1, _textfield.length-1); the issue last charter still visible single pixel. there way set font color transparent example newtextformat.color = <any tranparent color>; instead of changing size or alpha, recomend replacing text string inside of textfield blank field(" "), this: _textfield.text = "my string"; var newstring:string=_textfield.text.replace (_textfield.text.charat (_textfield.text.length-1) , " "); _textfield.text =newstring; //now textfield text strin if want other character, not last one, can change e.g. _textfield.text = "my string"; var newstring:string=_textfield.text.replace (_textfield.text.charat (3) , " "); _textfield.text =newstring; //no...

ios - UIPageViewController Implementation - Black Screen After Changing View Controllers -

trying implement app allows users scroll between uiviewcontrollers using uipageviewcontroller. currently, after swiping second uiviewcontroller , screen goes black , cannot scroll anymore. ideas? here subclassed uipageviewcontroller code: class applicationviewcontroller: uipageviewcontroller, uipageviewcontrollerdatasource, uipageviewcontrollerdelegate { var registrationcontroller : uiviewcontroller! var logincontroller : uiviewcontroller! var capturecontroller : uiviewcontroller! var visiblevcs = [uiviewcontroller]() var index = 0 override func viewdidload() { super.viewdidload() initcontrollers() reset() } override func didreceivememorywarning() { super.didreceivememorywarning() // dispose of resources can recreated. } func initcontrollers() { registrationcontroller = self.storyboard?.instantiateviewcontrollerwithidentifier("registrationviewcontroller") uiviewcontroller logincontroller = self.storyboard?.instantiateviewcontrollerwi...

Trying to access a SQL Server database to display a single row in c# -

i'm trying access sql server database , display single row using c#. i'm having trouble figuring out how this. please help. thank you. public form1() { initializecomponent(); string connectionstring = "data source=localhost \\sqlexpress;initial catalog=mmabooks;" + "integrated security=true"; sqlconnection connection = new sqlconnection(connectionstring); string selectstatement = "select productcode " + "from products " + "where productcode = @productcode"; sqlcommand selectcommand = new sqlcommand(selectstatement, connection); selectcommand.parameters.add("@productcode"); connection.open(); sqldatareader reader = selectcommand.executereader(commandbehavior.singlerow); reader.read(); txtdisplay.text = reader["productcode"].tostring(); } looks passing parameter productcode query , returning same result. please make scenario clear. if need pass produ...

javascript - Data at the root level is invalid on $.ajax call -

i have simple web service trying utilize. obviously, more enahnced down road trying grasp basic concept of ajax call. web service using system; using system.collections.generic; using system.linq; using system.web; using system.web.services; namespace tools { /// <summary> /// summary description cfservices1 /// </summary> [webservice(namespace = "http://localhost:51342/")] [webservicebinding(conformsto = wsiprofiles.basicprofile1_1)] [system.componentmodel.toolboxitem(false)] // allow web service called script, using asp.net ajax, uncomment following line. // [system.web.script.services.scriptservice] public class cfservices1 : system.web.services.webservice { [webmethod] public string helloworld() { return "hellow world"; } } } javascript $.ajax({ type: "post", url: "cfservices.asmx?/helloworld", data: "{}", ...

database - Pl/Sql Oracle Function in a procedure -

i need make procedure needs update situation of student, need use function returns 'a' approved students, , 'r' not approved. after need update field "situation" 'a' or 'r' returned function. have function, don't have idea how make procedure. here goes code of function: create or replace function check_grade(grade in number, frequency in number) return varchar2 result varchar2(1) default ''; begin if (grade >= 6) , (frequency >= 0.75) resultado := 'a'; else resultado := 'r'; end if; return result; end; i think on complicating things. in pure sql rather using pl/sql function , procedure. you use case expression, example: test 1 sql> select 2 case 3 when &grade >=6 4 , &frequency>=0.75 5 'a' 6 else 'r' 7 end 8 dual; enter value grade: 10 old ...

javascript - Any specific use of double negation (!!) before new? -

i understand basic concept of double-negation- conversion bool - question specific use before new. i looking way detect blob support , came across check on this page : try { !!new blob(); } catch (e) { return false; } i created example below demonstrate check failing. window.onload=function() { var inputbox = document.getelementbyid('inputbox'); try { !!new foo15514(); inputbox.value='supported'; } catch (e) { inputbox.value='not supported'; } } <input id='inputbox' type=text/> without getting whether approach blob detection or not, question have point of !! in case? far can tell superfluous, thought ask in case there missing. !!new foo15514() , new foo15514() , var j = new foo15514() have same result. update ball rolling - 1 thought had done force javascript engine evaluate rather skipping since has no effect, seems bad approach if case. in case, indeed superfluous....

java - Diamonds and Squares Algorithm not working -

i working on making fractal terrain, no matter try, comes out looking random. have been following diamonds , squares algorithm explained here . can fix problem? this terrain class: package game; import java.util.random; public class terrain { panel panel; public terrain(panel panel) { this.panel = panel; generateterrain(); } private void generateterrain() { random rand = new random(); int seed = rand.nextint(panel.colors.length); int sidelength = panel.mapsize - 1; int halfsidelength; int average; panel.map[0][0] = seed; panel.map[panel.mapsize - 1][0] = seed; panel.map[0][panel.mapsize - 1] = seed; panel.map[panel.mapsize - 1][panel.mapsize - 1] = seed; while (sidelength > 0) { halfsidelength = sidelength / 2; (int x = 0; x < panel.mapsize - 1; x += sidelength) { (int y = 0; y < panel.mapsize - 1; y += sidelen...

sql server - SQL Locking causing timeouts -

we have long running transaction (with nested trans), runs 2min. in time heap of insert, update , selects. @ same time users still need able use system. of tables used same ones in batch program. in below profiler trace getting block unrelated table. interesting thing is, query blocking transaction, table not used second task. here profiler output, blocked process (customerorderentry) quick 1 while blocking process longer running one. we using msdtc ms sql server , ado.net <blocked-process-report monitorloop="546369"> <blocked-process> <process id="process9fbc51c28" taskpriority="0" logused="10464" waitresource="page: 40:1:182902 " waittime="20839" ownerid="232311233" transactionname="user_transaction" lasttranstarted="2015-05-14t11:52:46.997" xdes="0x12838563b0" lockmode="s" schedulerid="1" kpid="7508" status="suspende...

c++ - Can compile in Ubuntu but not in Mac OS X -

i built dynamic library ( .so file ) on ubuntu 12.04. let's call test.so . had test.cpp file, calls library functions. first compiled test.cpp test.o by: g++ test.cpp -o -c test.o it succeeded. compiled test.o test.so by: g++ -shared test.o -o test.so also succeeded. i did similar thing on mac os x. i first got test.o by: g++ test.cpp -o -c test.o then g++ -dynamiclib test.o -o test.dylib this failed, because didn't provide libraries used in test.cpp . modified it: g++ -dynamiclib test.o -o test.dylib -l/path/to/libraries -llibraryname then works. notice first case, didn't provide such path libraries , specific library used in test.cpp . know why don't need in first case need in second case? the linker, default options, not behave same on linux , osx. osx linking behave more expect on linux, use following link flag. -wl,-undefined,dynamic_lookup

Permission denied: docker-machine create -

i want set swarm cluster consisting of 2 nodes, when run code: docker-machine create -d virtualbox --swarm --swarm-master --swarm-discovery token://<clusterid> in order create swarm master, receive following message: -bash: /usr/local/bin/docker-machine: permission denied trying same code sudo produces: sudo: docker-machine: command not found how fix this? does: chmod +x /usr/local/bin/docker-machine fix it? (might need sudo )

2D array Recursion -

so trying build bubble breaker program. way game works has board several colors. spots coming off spot (horizontal , vertical) not diaganol , off chech around new spot until no spots left public void setsurroundingsimilartotrue(int row, int col, int correctcolor){ if(row >= 0 && row < this.myboard.length && col >= 0 && col < this.myboard.length) if(this.myboard[row][col].getcolorvalue() == correctcolor){ this.myboard[row][col].setstatustrue(); //system.out.println(row); setsurroundingsimilartotrue(row - 1, col, correctcolor); setsurroundingsimilartotrue(row + 1, col, correctcolor); setsurroundingsimilartotrue(row, col - 1, correctcolor); setsurroundingsimilartotrue(row, col + 1, correctcolor); } } this did , cant see whats wrong. you have infinite recursion code. before doing recursion, check if cur...

ruby on rails - Define another attribute in setter -

i want define role attribute in user model when set physician attribute, know attribute defined user instance has role of :physician (as enum). it works role defined, role wrongly assigned enum type shown in rspec test enum role: [:assistant, :physician, :patient] def physician=(value) write_attribute(:role, "physician") super(value) end rspec: user physician should physician failure/error: expect(user.role).to eq('physician') expected: "physician" got: "assistant" (compared using ==) # ./spec/models/user_spec in fact tried replicate manually in rails console user = user.new physician = physician.new user.physician = physician user.physician? => false user.role => "assistant" i suspect write_attribute not work nicely enums... p.d. tried write_attribute(:role, :physician) sets role value nil i think it's fixed with: def physician=(value) ...

DBVisualizer doesn't connect to SQL Server using jTDS -

Image
i tried connect database using default sql server driver , doesn't work, computer same configuration can connect management studio. the error time out, can't find database, configuration correct! if give more information helpful, have installed correct (jdbc) driver btw? also, see link if helpful click here

java - SSO for Tomcat users with SPNEGO fails -

i have app running on tomcat server. app authenticates active directory using spnego module. steps take make setup work are: add tomcat app ad domain make rest api login call app. rest api call perform authentication/authorization ad using spnego . as part of brand new app initialization, start app first time , add app-host ad domain. make api call performs ad authorization fails following error. type exception report: message gssexception: failure unspecified @ gss-api level (mechanism level: invalid argument (400) - cannot find key of appropriate type decrypt ap rep - rc4 hmac) description server encountered internal error prevented fulfilling request. exception javax.servlet.servletexception: gssexception: failure unspecified @ gss-api level (mechanism level: invalid argument (400) - cannot find key of appropriate type decrypt ap rep - rc4 hmac) net.sourceforge.spnego.spnegohttpfilter.dofilter(spnegohttpfilter.java:238) root cause gssexception: failure ...

multithreading - Thread continuing even though it's declared null JAVA -

this question has answer here: how stop thread in java? 7 answers maybe can me- in applet declared instances of 2 threads, started them, , made "stop" button declares them null. in thread classes, made while (this != null), , threads still running after hit button. here init method of applet: public void init(){ system.out.println("hi"); setsize(400,200); // make applet size big enough our soup bowl s = new soup(); // instantiate soup p1 = new producer(this, s); // declare , instantiate 1 producer thread - state of new c1 = new consumer(this, s); // declare , instantiate 1 consumer thread - state of new p1.start(); // start producer thread c1.start(); ...

javascript - Google Maps via Link with Region -

i'm working on site want link "get directions" button google maps (without using js api). important sea of japan labeled east sea. achievable in google maps js api setting "?region=ko" when fetching api js script. using example link below, query string can append set region korea. otherwise there method can use set region korea keep language in english. example of link: https://maps.google.com/?saddr=current+location&daddr=brisbane+australia&zoom=14&directionsmode=driving sea of japan naming issues: http://en.wikipedia.org/wiki/sea_of_japan_naming_dispute thanks, zac using korean domain google.co.kr set region setting language ?hl=en appears give "east sea" yet retain english street terminology. east sea https://www.google.co.kr/maps/@39.6573449,135.6637105,7z?hl=en sea of japan https://www.google.com/maps/@39.6573449,135.6637105,7z korean labels https://www.google.co.kr/maps/@-27.4789154,153.0226005,14z engli...

vba - Method 'Parent' of object failed -

Image
i have ms access 2013 , i'm trying make search form populates other details when row inside subform selected. figured out how row selected, , column, need pass information parent form can populate other things on form. so on form's subform, made on click event: option compare database private sub form_click() msgbox(me.name) ' returns p_pat subform msgbox(me.parent.name) ' says 'parent' failed but can never find parent. tried on few other events results same. access form looks this: the highlighted subform 1 i'm trying work with, , want call parent parent can populate other child subform (the 1 below highlighted form). i feel slammed brick wall shouldn't there , pride hurts. how parent? i know can set record id selected global variable, have no way of triggering update event other subform. any or advice? there doesn't there @ wrong code. research there seem 3 possible solutions have found far: make sure t...

python 2.7 - intermittent but frequent NoReverseMatch error from deployed django application -

i have application deployed @ http://opencalaccess.org/ccdc/latest/ this colo running ubuntu 14.04 lts. if hit this, may blank page says "server error (500)" , nothing else. may noreversematch exception. if continue fetch on url, work. may take 3 times, seems take no more 5 attempts. , works, eventually. weird. i depend on 2 packages building. moved them around several times , at: /usr/local/lib/python2.7/dist-packages and $ cat wsgi.py import os import sys os.environ.setdefault("django_settings_module", "ccdc.settings") sys.path.append('/var/www/opencalaccess_org/ccdc') sys.path.append('/var/www/opencalaccess_org') django.core.wsgi import get_wsgi_application application = get_wsgi_application() i did not have change settings.py file. $ cat urls.py django.conf.urls import patterns, include, url django.conf import settings django.contrib import admin admin.autodiscover() urlpatterns = patterns('', url(...

vba - Deleting/Adding records on a subform that has a similar record source of the main form -

Image
i trying make subform works splitform. i use splitform but, far tell, can't filter results of datasheet portion of split form, , not results of rest. see here... the subformpartdetail returns records orderid equal mainform's orderid. there no filter in mainform returns partdetail records regardless of orderid. in particular instance, main form has 21 records cycle subform has four. an issue occured when use subform adding or deleting records. when try use main form cycle through records, added ones skipped , deleted ones threw error telling me record attempting go has been deleted. corrected putting these on subform events... private sub form_afterinsert() dim frm form dim rst recordset set frm = forms!partdetails set rst = frm.recordset rst.requery end sub private sub form_delete(cancel integer) dim frm form dim rst recordset set frm = forms!partdetails set rst = frm.recordset rst.requery end sub but try delete record mainform displaying subform. code not wor...

Excluding lines containing a specific string from REGEX REPLACE in CMake -

this first post have been using stackoverflow years. helping me every time. i writing script in cmake supposed rewrite portion of .cfg file (it resources.cfg file ogre 3d engine) that: when running config cmake, absolute paths set according system when installing, files copied folder , relative paths set instead i focus on first part, since both similar. resource file working on: # resources required sample browser , samples. [essential] zip=stufftochange/media/packs/sdktrays.zip # resource locations added default path [general] filesystem=../media #local filesystem=stufftochange/media/materials/scripts filesystem=stufftochange/media/materials/textures filesystem=stufftochange/media/models filesystem=stufftochange/media/materials/programs/hlsl_cg filesystem=stufftochange/media/materials/programs/glsl my current strategy lines without #local identifier should affected regex replace statement. current code is: file(read ${cmake_source_dir}/cfg/resources.cfg resource...