Posts

Showing posts from May, 2012

scala - Randomizing the List -

i wrote function choose 1 word randomly lists of words. here code. cannot choose 1 word , cannot print. please tell me what's wrong code. def long(a: int, b: int): string = { var = 5 var b = 100 (i <- args(1)){ if (i > && < b){ val rand = new random(system.currenttimemillis()) val random_index = rand.nextint(new_sun .length) val result = new_sun(random_index) var guess = println("_ " * result.length) } else{ println("you have input word length of 5 < 100") } return i.tostring } } there's lot gone wrong here, it's difficult knowing start. taking 1 fragment @ time: def long really, unbelievably bad name method! def long(a: int, b: int): string = { var = 5 var b = 100 you're taking a , b parameters, shadowing names create vars. parameters useless. for (i <- args(1)){ ...

php - Difference between getRawBody() and getBody() methods of Zend_Http_Response? -

hi wondring whats difference between $response->getbody() , $response->getrawbody(); $this->_client->seturi('http://www.google.com/ig?hl=en'); try { $response = $this->_client->request(); }catch(zend_http_exception $e) { echo 'zend http client failed'; } echo get_class($response); if($response->issuccessful()) { $response->getbody(); $response->getrawbody(); } getrawbody() returns body of http response is. getbody() adjust headers i.e. decompresses content sent gzip or deflate content-encoding headers. or chunked transfer-encoding header. the simplest way figure these questions out in @ code. great learning experience. code edited brevity. public function getrawbody() { return $this->body; } public function getbody() { $body = ''; // decode body if transfer-encoded switch (strtolower...

iphone - Choosing whether to Objective-C after learning C from "C Primer Plus" -

i have development experience in c++, know there different aspects between c , c++. going work on objective-c. there need learn book c primer plus before starting write objective-c code? in addition, have read objective-c programming book dave mark. plan learn cocoa on mac , ios development. videos on lynda.com helpful. iphone there 1 book called beginning iphone development mark lamarche

Syntax highlighting in Oracle browser something like SQL Server Management Studio -

Image
hi use long time ms sql , sql server management studio no start oracle , try sql command in oracle browser hasn’t syntax highlighting. it exist sql server mamagement studio oracle? if happy installing locally (or @ least unzipping it), go xavinou's suggestion of sql developer or 1 of commercial ides such toad or pl/sql developer

ruby on rails - paperclip process file contents before upload -

i want compute hash before uploading file no duplicates stored on server. using paperclip gem, what's best approach processing on file before saving or inserting data in database? activemodel has callback before_create (among others) make ideal place compute before record created. full list of callbacks available, see ruby on rails guides: active record validations , callbacks . class asset has_attached_file :image before_create :do_something def do_something end end

hibernate - Spring Mvc Controller - problem with delete -

i working in j2ee project (pojo layer, dao layer(hibernate), service layer(spring), view(spring mvc)) have table of articles after each row want add link remove it. this view <c:if test="${!empty articles}"> <table> <tr> <th>article id</th> <th>article name</th> <th>article desc</th> <th>added date</th> <th>operation</th> </tr> <c:foreach items="${articles}" var="article"> <tr> <td><c:out value="${article.articleid}"/></td> <td><c:out value="${article.articlename}"/></td> <td><c:out value="${article.articledesc}"/></td> <td><c:out value="${article.addeddate}"/></td> <td><a href="articles/${article.articleid}...

iis - ASP.NET: Errors not viewable despite proper configuration -

i'm having classic (dare typical?) error on asp.net production server, tells me can't view errors. below error displayed below, things i've tried. in iis manager (6.0), application located under 1 of web sites in "web sites". indeed web application, opposed virtual directory (it has gear icon). when trying view error localhost (i.e. server itself), doesn't find application on path, though root web site works fine localhost. not firewall issue because first of all, firewall turned off, , second because root web site works fine localhost. heck, tried connecting through telnet , worked fine , dandy too, , not firewall issue. basically, need view error @ all. won't have fix problem if can see error , fix it, because there wrong in code itself... don't know what, because iis/.net won't tell me. runtime error description: application error occurred on server. current custom error settings application prevent details of application error b...

rails Model.create(:attr=>"value") returns model with uninitialized fields -

this stumping me. process works fine if go #new , #save , #create returns model instance fields set nil . e.g: unexpected behavior: ruby-1.9.2-p0 > emaildefault.create(:description=>"hi") => #<emaildefault id: nil, description: nil, created_at: nil, updated_at: nil> expected behaviour: ruby-1.9.2-p0 > e = emaildefault.new => #<emaildefault id: nil, description: nil, created_at: nil, updated_at: nil> ruby-1.9.2-p0 > e.description = "hi" => "hi" ruby-1.9.2-p0 > e.save => true ruby-1.9.2-p0 > emaildefault.last => #<emaildefault id: 4, description: "hi", created_at: "2011-02-27 22:25:33", updated_at: "2011-02-27 22:25:33"> what doing wrong? --update-- turns out mis-using attr_accessor . wanted add non-database attributes, did with: attr_accessible :example_to, :cc_comments which wrong, , caused situation @heikki mentioned. need is: attr_access...

actionscript 3 - Is it possible to load a non-Document Class before preloader starts? -

public class framework extends movieclip { var _loadingsystem:loadingsystem; public function framework() { _loadingsystem = new loadingsystem(this); loaderinfo.addeventlistener(progressevent.progress,progresshandler); loaderinfo.addeventlistener(event.complete, completelistener); } ... public class loadingsystem extends movieclip { public function loadingsystem(parent:displayobjectcontainer) { parent.addchild(this); mylogo.buttonmode = true; mylogo.addeventlistener(mouseevent.click, gotomysite); } as can see, framework doc class creating _loadingsystem movieclip contains preloader graphics. when debug following error "typeerror: error #1009: cannot access property or method of null object reference." pointing mylogo.buttonmode = true; from understand due loadingsystem not being loaded before being created in framework. there way me make work? have tried adding listeners event.added d...

windows phone 7 - WP7 gps emulator issue -

i have issue using gps emulator provided microsoft. code public igeopositionwatcher<geocoordinate> watcher { get; private set; } public iobservable<geocoordinate> observablegeocoordinate { get; set; } private void initializegpsdevice() { try { if (watcher == null) { watcher = new gpsemulatorclient.geocoordinatewatcher(); } observablegeocoordinate = createobservablegeopositionwatcher(); watcher.start(); } catch (exception ex) { messagebox.show(string.format("failed initialize gps device:{0}", ex.message), "gps error", messageboxbutton.ok); } } private iobservable<geocoordinate> createobservablegeopositionwatcher() { var observable = observable.fromevent<geopositionchangedeventargs<geocoordinate>>( e => watcher.positionchanged += e, ...

Ruby's Time.strftime %P option doesn't work? -

i'm building rails application , have come across seems strange behaviour. according ruby's documentation of time.strftime() , %p , %p valid options: %p - meridian indicator (``am'' or ``pm'') %p - meridian indicator (``am'' or ``pm'') using rails console (rails 3.0.3, ruby 1.8.7 (2009-06-12 patchlevel 174) [universal-darwin10.0]) observe following behaviour: >> datetime.now.strftime("%l:%m%p on %a %e %y") => " 2:23pm on tuesday 1 2011" >> time.now.strftime("%l:%m%p on %a %e %y") => " 2:23p on tuesday 1 2011" >> time.now.strftime("%l:%m%p on %a %e %y") => " 2:23pm on tuesday 1 2011" >> 2.hours.ago.strftime("%l:%m%p on %a %e %y") => "11:29p on monday 28 2011" note how in datetime.now.strftime, %p evaluates expected lowercase pm. time.now.strftime %p rendered uppercase p. the final example uses activesupport::time...

validation - Custom ValidationTextBox in Dojo -

i new dojo programming , trying create validationtextbox username input. have 3 criteria: 1. users can input alphanumeric characters , 2. minimum length of username 6 character 3. field required so far input looks like: <input name="username" type="text" id="username" class="reqd1" required="true" trim="true" lowercase="true" promptmessage="username" invalidmessage="please enter alphanumeric characters." maxlength="12" regexp="[\w]+" intermediatechanges="false" dojotype="dijit.form.validationtextbox" /> i have 3 questions: 1. how can check the minimum character of username field? 2. there way change invalidmessage programatically? 3. how can check length of username field without using regex? regexp="\w{6,12}" dijit.byid("username").set("invalidmessage", ...

tcl - How can I embed TkCon (or other Tk console) as a widget? -

i want make tcl/tk application is--mostly--a conventional menus-and-buttons direct manipulation tool, of interaction through graphical interface implemented in tcl/tk. however, advanced uses (and debugging), i'd have widget (subwindow) within main window contains tk console can type commands, see output, , otherwise control application. it seems easy enough start tkcon (or wish) , 1 top-level window, create application interface in separate top-level window. application work fine way, i'd 2 windowso part of same layout, move together, support resizing, etc. is there easy way tkcon? i'd tkcon window able display messages bubble within application (e.g., debug output). messages generated tcl code; others c code makes part of application. don't need capture stdout such--i'm willing call special-purpose function deliver messages--but it's not clear what's effective way to them display that. for tkcon see donal's answer. add can embed tk ...

qt4 - Is there a command to stop and pause mplayer using the PId? -

i playing mplayer qt application using play button. have 2 buttons called pause , stop. play button used system ("mplayer "+s.toascii()+"&"); s playlist. for pause button used system("p"); not working. able store process id of mplayer text file using system("ps -a |grep mplayer > pid.txt"); . is there command stop , pause mplayer using pid? what want mplayer's slave mode of input, makes easy give commands program. can launch mplayer in mode giving -slave command line option when launching it. in mode, mplayer ignores standard input bindings , instead accepts different vocabulary of text commands can sent 1 @ time separated newlines. full list of commands supported, run mplayer -input cmdlist . since have tagged question qt, i'm going assume using c++. here's example program in c demonstrating how use mplayer's slave mode: #include <stdio.h> #include <unistd.h> int main() { file* ...

java - GSON and Generic types -

i've come across problem of using gson library , generic types(my types , collections). have answer how solve problem, don't think it's appropriate write specific message converter every type i've implemented , i'll implement. what did is: implemented own message converter: public class superhttpmessageconverter extends abstracthttpmessageconverter<object> { private final charset charset; private final gson gson; public costomhttpmc_1(mediatype mediatype, string charset) { super(mediatype); this.charset = charset.forname(charset); gson = new gsonbuilder().excludefieldswithoutexposeannotation().create(); } @override protected object readinternal(class clazz, httpinputmessage inputmessage) throws ioexception { string jsonstring = filecopyutils.copytostring(new inputstreamreader(inputmessage.getbody(), charset)); return gson.fromjson(jsonstring, clazz); } @override protected long getcontentlength(object obj, mediatype contenttype...

jquery - Disable Text Field Autofocus in Javascript -

is there way in javascript forcibly disable text field autofocus on page load? i know of focus() method, not how disable it. actual problem autofocusing in modal window forces window appear scrollbar halfway down , scrolled first input field, whereas disable entirely. thanks! you can use .blur() , var elelist = document.getelementsbytagname("input"); for(var = 0; < elelist.length; i++){ elelist[i].blur(); } if want disable focus on textfields, var elelist = document.getelementsbytagname("input"); for(var = 0; < elelist.length; i++){ elelist[i].addeventlistener("focus", function(){ this.blur(); }); }

.htaccess redirect foo.com/ to /foo.htm, leave bar.com/ as bar.com -

note: had add spaces because thought posting links... i have 2 sites coming 1 server , 1 folder ( foo.com , bar.com ). foo.com needs point @ page named foo.htm under root of site. has requirement of not changing url. if url bar.com needs left alone. if full url http://www.foo.com/ needs switched equivalent of http://bar.com/foo.htm does make sense? i have following works every page except root page, isn't redirecting foo.htm . rewriteengine on rewritecond %{http_host} ^foo\.com rewriterule ^(.*)$ http://www.bar.com/$1 rewriterule ^$ /foo.htm [l] rewriteengine on rewritecond %{http_host} ^foo\.com rewritecond %{request_uri} ^/?$ rewriterule ^$ http://www.bar.com/foo.htm [l] rewritecond %{http_host} ^foo\.com rewritecond %{request_uri} ^/. rewriterule ^(.*)$ http://www.bar.com/$1 i'm not sure if run can't test - if doesn't work, modify regex in rewritecond %{request_uri} .... possibly remove slash , question mark... try it.

c - how to convert pixels values to display image in opencv -

i'm unable process pixel values ( unsigned int ) convert image. want syntax converts pixel value image format. cvset (all type of commands) not working, i'm getting particular color image if red or green etc. please me syntax reconstructing pixel values image. i'm able convert image pixels i'm unable convert image these same pixel values. how many channels there in image working with? important information. keep in mind grayscale images have typically 1 channel, while colored images loaded opencv have 3 channels (r, g , b). to work 3-channel image in c, do: iplimage* prgbimg = cvloadimage("img.png", cv_load_image_unchanged); int width = prgbimg->width; int height = prgbimg->height; int bpp = prgbimg->nchannels; (int i=0; < width*height*bpp; i+=bpp) { prgbimg->imagedata[i] = r; // red pixel prgbimg->imagedata[i+1] = g; // green prgbimg->imagedata[i+2] = b; // blue } for single-channel imag...

c# - Cloning WPF controls and object hierarchies -

i have problems cloning object hierarchie. it's toolkit modelling applications, toolbox contains class instances prototypes. i'm having hard time cloning these :) the following code shows problem: public abstract class shape { protected list<uielement> elements; private canvas canvas; ... public canvas getcanvas() { ... }; } public class movableshape : shape { protected ... propertya; private ... propertyxy; ... } public abstract class abstractlayout : movableshape, ... { ... } public class somelayoutclass : abstractlayout, ... { ... } public class acontainingclass { somelayoutclass layout { get; set; } ... } when insert object of acontainingclass project worksheet, should cloned. far tried manual cloning (which fails because of private fields in base classes) , binary serialization ( binaryformatter , memorystreams ). the first approach lacks way call base.clone() method (or wrong?), latter not work because uielement s aren't...

c# - ReportingServices 2008 web service LoadReport returns error stating that "report" parameter is missing -

the code calls proxy calling web services is: reportexecutionservice rs = new reportexecutionservice(); rs.timeout = system.threading.timeout.infinite; rs.credentials = system.net.credentialcache.defaultcredentials; string execurl=configurationsettings.appsettings["reportsbasepath"] + @"/reportexecution2005.asmx"; rs.url=execurl; executioninfo execinfo = rs.loadreport("/reports/rptsharedrepresentativereport",null); please note first parameter of loadreport function is : report errors: the value parameter 'report' not specified. either missing function call, or set null @ microsoft.reportingservices.webserver.reportexecution2005impl.loadreport(string report, string historyid, executioninfo2& executioninfo) @ microsoft.reportingservices.webserver.reportexecutionservice.loadreport(string report, string historyid, executioninfo& executioninfo) at system.web.services.protocols.soaphttpclientprotocol.readresponse(soapclien...

android - How to know what programs are running in service layer or framework -

i need know program running. because need stop backlight turn off in application. to keep activity dimming while ui displaying, use flag_keep_screen_on activity window , hold partial_wake_lock keep device running while not in ui.

javascript - Between SVG and canvas, which is better suited for manipulating/animating several images? Maybe neither and just use css3 transforms? -

the 2nd part of question is, javascript library better/easier manipulate images with? won't drawing shapes or anything. other info: i'll using jquery , don't need support browsers, webkit. edit: more information: current design layout/draw several rows/columns of images in grid-like layout, image in center being in "focus" (a little larger, border or , text next it). tricky thing want whole canvas of images appear slide/glide on bring random image focus. number of images in grid needs exceed visible in viewport when transition occurs there images occupying canvas. other moving images around, won't blurring them or otherwise modifying them. add user interactions clicking/touching on visible image bring focus manually. let me know if not clear or still confusing. i ran across scripty2 seems alternative using canvas/svg purposes. started farting around easeljs last night, , seems might work, i'm wondering if it'll end being more work/complex ...

c# - How do I save the status of a radio button? -

my question is: how export status of radio button (checked or not) text file , read in button assumes saved status? i feel might simple @ complete loss. any appreciated! save boolean value of radio button's checked property integer: true = 1 false = 0 read in , assign value checked property.

mysql - Get field from first table by foreign key from second -

two tables: categories, , many-to-many relations: categories id | name 1 first 2 second 3 third relations parent | child 1 2 1 3 how can result?: first | second first | third i can select c.name, r.child categories c left join relations r on c.id = r.parent and result is first | 2 first | 3 so, how can child name in table? select c1.name, c2.name relations r left join categories c1 on r.parent = c1.id left join categories c2 on r.child = c2.id c1.id = 1

android - Show activity with contact list from sim card -

he show activity contacts sim card. show list this: intent contactpickerintent = new intent(intent.action_pick, people.content_uri); startactivityforresult(contactpickerintent, contact_picker_result); but way shows me contacts google account. how show contacts sim card? program must run on android 1.6 thanks you can see link "how access sim contact table using sdk." working though solution not part of sdk.

multithreading - Android device behaves differently when plugged in USB vs not plugged in -

i running tests on htc magic (dev phone 2). have 3 background asynctasks. 1 downloads data server, 1 wakes screen once minute , last keeps application alive given duration. download thread asynctask seems work correctly, , while downloading(~1hr) other 2 seem work well. once downloads done if phone unplugged other 2 threads don't work properly(screen doesn't wake , keepalive never ends). seems stop altogether, if plug phone computer start again... not sure causing this, screen wakeup should preventing device going sleep. all code can found here: https://homepage.usask.ca/~mcb394/receive.java or 2 classes seem stop working after download completes , when unplugged below. thoughts awesome. /** * class keeps phone alive entire duration necessary use data (think of media player buffer) * @author michael bullock */ private class keeprunning extends asynctask<void, void, void> { @override protected void doinbackground(void... arg0) { try { ...

jquery - Print JSON file from JSP -

i have jsp page should print json file. here directive <%@ page contenttype="application/json;" pageencoding="utf-8"%> and 1 line of code: out.println(result); //results json string db but every time when call jsp page result jsp file instead of application/json and try load json jsp: .ajax({ url: url_res, datatype: 'json', contenttype: 'application/json', success: function(value, textstatus, jqxhr) { alert(textstatus+" "+value+" "+jqxhr); and null in vale var. pls help, need faculty project.. if directly put jsp page in browser , returned source code plain json, jsp page fine. try testing data in json alert(textstatus+" "+value.something+" "+jqxhr);

syntax - Single line increment and return statement in C# -

having been playing around c# last few days , trying take advantage of "succinct" syntax have tried use following trick. int32 _lastindex = -1; t[] _array; _array[_lastindex++] = obj; now problem returns value prior incrementing number, tried... _array[(_lastindex++)] = obj; and yet same behavior occurring (which has got me bit confused). could firstly explain why second example (i understand why first) doesn't work? , there way of accomplishing trying do? surrounding post-increment _lastindex++ parentheses doesn't separate distinct operation, changes: _array[_lastindex++] = obj; // _array[_lastindex] = obj; _lastindex++; into: _array[(_lastindex++)] = obj; // _array[(_lastindex)] = obj; _lastindex++; if want increment before use, need pre-increment variant, follows: _array[++_lastindex] = obj; // ++_lastindex; _array[_lastindex] = obj;

JAVA Library for charts- JFreeChart? -

first of all: did read other similar questions , have taken @ jfreechart, seems weapon of choice producing charts java desktop app. suit needs too, project seems dead.the forums down, last update in 2009. question is, there other library comparable jfreechart, or should use jfreechart anyway, because it´s awesome , never need support -now dead- official forums ? your thoughts on highly appreciated. i suggest take @ jfreechart. comprehensive , if have problems i'm sure you'll find quick answers them here on so. this jfreechart faq lists alternatives not powerful.

c# - Correcting text in database? -

question: in 1 of database, there value in varchar-field: brokers méxico, intermediario de aseguro,s.a. now make new column nvarchar, , want take on old values, encoded. now 2 questions: a) in c#/vb.net, how can change méxico proper value ("méxico"), before storing in unicode field (assuming know proper source-codepage)? b) there way figure out codepage, if don't want manually ? (well, asking free, suppose there none). you might want try this: string broken = "brokers méxico, intermediario de aseguro,s.a."; // text database byte[] encoded = encoding.getencoding(28591).getbytes(broken); string corrected = encoding.utf8.getstring(encoded); it depends on how it's been inserted - that's assuming has taken utf-8 bytes, interpreted them iso-8859-1 string, , inserted string database. code performs same conversion in reverse. i'm not sure figuring out code page - guess @ iso-8859-1 , utf-8 start with, , if doesn't work...

sql - What is the difference between a stored procedure and a view? -

i confused few points: what difference between stored procedure , view? when should use stored procedures, , when should use views, in sql server? do views allow creation of dynamic queries can pass parameters? which 1 fastest, , on basis 1 faster other? do views or stored procedures allocate memory permanently? what mean if says views create virtual table, while procedures create materials table? please let me know more points, if there any. a view represents virtual table. can join multiple tables in view , use view present data if data coming single table. a stored procedure uses parameters function... whether updating , inserting data, or returning single values or data sets. creating views , stored procedures - has information microsoft when , why use each. say have 2 tables: tbl_user columns: .user_id, .user_name, .user_pw tbl_profile columns: .profile_id, .user_id .profile_description so if find myself querying tables al...

actionscript 3 - Code-generated SWF to FLV -

i need convert swf movie created entirely through code (with of tweenlite) .flv format. issue here need 1) batch process, , 2) since swf entirely generated code has 1 frame , such normal conversions cs5.5 to .avi format give me 1 frame in resulting video format. there free converter out there can past fact video technically 1 frame long , can handle batch jobs? help sounds implement jsfl extension if have copy of adobe flash or trial site. adds command publish multiple folders , sub folders. http://www.adobe.com/cfusion/exchange/index.cfm?event=extensiondetail&loc=en_us&extid=1021887

taglib - Fetching some value from message.properties in Grails -

want fetch value message.properties file in grails in job , how can ?? my job: def execute() { // execute task list<string> emails = nayaxuser.findallbyemailsent(false)*.username emails.each {emailaddress-> mailservice.sendmail { //todo: fetch message.properties emailaddress fetch message.properties subject fetch message.properties html body.tostring() } } } you can use: g.message(code: 'my.message.code') //or g.message(code: 'my.message.code', args: [arg1, arg2])

crop - JPG cropping in batch to generate square thumbnails -

i looking light weight batch tool cropping image files. cropping done around center since aspect ration can 3:4 or 4:3 means taller images, crop happen @ top , @ bottom generate square image. wider images, crop happen @ left , right generate square image. anyone has used such tool? using .net 4.0 , c# i not looking imagemagick or nconvert. this fist creates in-memory bitmap square sized square fits in original. scales down thumbsize . string imagefolder = @"c:\users\russ\originals"; string thumbfolder = @"c:\users\russ\squares"; int thumbsize = 100; foreach (string file in system.io.directory.getfiles(imagefolder, "*.jpg")) { using (image original = bitmap.fromfile(file)) { size size = new size( math.min(original.width, original.height), math.min(original.width, original.height) ); int translatex = (size.width - original.width) / 2; int translatey = (size.height - origin...

delphi - DBXPool Corrupts Memory on Failure to Connect -

when dbxpool used delegateconnection on tsqlconnection , if sqlserver unavailable when call tsqlconnection.open method, timeout first time. if subsequently call open again, misbehave. in production service, kills process without warning -- no exceptions raised, nothing. process disappears... in simple app created test dbxpool , thinks tsqlconnection connected, when not. has had troubles dbxpool delegateconnection can offer suggestions? thanks! <<< 7/23 edit #2 >>> i used code in edit #1 below trace through dbx framework. following method called when dbxpool used: (unit dbxdelegate) procedure tdbxdelegateconnection.open; begin if not fconnection.isopen begin tdbxaccessorconnection(fconnection).open; end; end; ... calls following method, called whether or not dbxpool used: (unit dbxcommon) procedure tdbxconnection.open; begin // mark state open memory can deallocated // if derived open or meta query fail fopen := true; ...

android - Two columns of autowrapped text -

i need lay out several (for example, two) labels (textviews) columns. texts can longer altogether 1 screen line , may not contain line breaks, need formatted (wrapped) fit screen width. i can arrange labels columns if shorter altogether screen line. can wrap text fit screen if there’s 1 column. if texts longer , there more 1 column, cannot achieve want, because first column fills whole screen width. i tried via xml-markup. tried lot of markups using linearlayout, tablelayout , relativelayout. didn’t work. maybe, didn’t use them properly. i can imagine ways using code manually calculate views’ widths, haven’t tried. solution welcome, using markup preffered.

asp.net mvc 3 - change from Webforms views to Razor views not working -

i updated mvc views webforms razor. what did rewrite manually code in razor , excluded aspx project. far good. now strange happening when run web site. still webforms views if excluded them project , replaced them razor views. i did add web config file : <configsections> <sectiongroup name="system.web.webpages.razor" type="system.web.webpages.razor.configuration.razorwebsectiongroup, system.web.webpages.razor, version=1.0.0.0, culture=neutral, publickeytoken=31bf3856ad364e35"> <section name="host" type="system.web.webpages.razor.configuration.hostsection, system.web.webpages.razor, version=1.0.0.0, culture=neutral, publickeytoken=31bf3856ad364e35" requirepermission="false" /> <section name="pages" type="system.web.webpages.razor.configuration.razorpagessection, system.web.webpages.razor, version=1.0.0.0, culture=neutral, publickeytoken=31bf3856ad364e35" req...

dns - Does anyone know how to transfer a domain name in Plesk using an EPP code? -

one of friends had forum freeforums.org , bought domain name through them. wanted transfer .org domain name own host uses plesk control panel. freeforums sent him epp code transfer domain. how use epp code transfer domain? you friend needs take epp or authorisation code , give registrar want move domain to. new registrar (normally) send email registrant contacts domain double check agree domain transfer. once registrants agree start domain transfer process. not need work done friend stage gives losing registrar chance object transfer of domain. if losing registrar not after 5 days registry automatically approve transfer , domain transfer new registrar. if losing registrar approves transfer domain transfer sooner. (i work registry , have never seen losing registry approve transfer address, leave them time out) hope helps jonathan

javascript - How to halt a chrome-extension? -

is there way programmatically pause chrome extension of it's activity? i believe you'll need handle yourself. example, popular adblock extension sets flag in localstorage called "adblock_is_paused" when pause extension popup. relevant scripts check flag before doing work.

flex - Is it possible to load a local file without having to ask the user to browse to it first in an AIR Application? -

i'm writing small application myself , instead of using database i'd use excel store small amount of data have on local file system. want able load data without having use typical filereference browse() method annoying every time use application. the code below seems find file fine file.exists method below , of other attributes seem correct file.data null. i'm guessing security issue , that's why i'm running problem thought i'd ask , see if there in fact way around problem. var file:file = new file(fullpath + "\\" + currentfolder + ".txt"); if(file.exists) { var bytearray:bytearray = file.data; } if want read content of file, use following code: var stream:filestream = new filestream(); stream.open("some path here", filemode.read); var filedata:string = stream.readutfbytes(stream.bytesavailable); trace(filedata); the data property inherited filereference class , populated after load call (see link ). ...

Find out time it took for a python script to complete execution -

i have following code in python script: def fun() #code here fun() i want execute script , find out how time took execute in minutes. how find out how time took script execute ?.some example appreciated. thank you from datetime import datetime starttime = datetime.now() #do print datetime.now() - starttime

version control - Stopping .git to be uploaded every time I push to repository -

i set git repository , push,pull working fine 2 days back. first time using git , version control systems today when copied files in , started pushing them,i noticed pushing 90mb data.i genuinely surprised how can be. later found 90 mb size due .git folder. reason of this? doing wrong? how can stop pushing .git folder? when above thing not working created new folder , set clone of repository.i fetched repository in , came fine. when ran git status,it showed full home folder untracked files. why happening? when push changes happens expect: transfers minimal required changeset remote repository, if transfered 90 mb it's because 90 mb needed. the .git folder holds information changeset, commits, , other info, , not transfered @ each push.

jQuery/PHP Hide Div, Update Information from MySQL, Show Div New Information -

jquery: $(document).ready(function(){ $(".reload").click(function() { $("div#update").fadeout("fast") .load("home.php div#update").fadein("fast") }); }); php: function statusupdate() { $service_query = mysql_query("select * service order status"); $service_num = mysql_num_rows($service_query); ($x=1;$x<=$service_num;$x++) { $service_row = mysql_fetch_row($service_query); $second_query = mysql_query("select * service sid='$service_row[0]'"); $row = mysql_fetch_row($second_query); $socket = @fsockopen($row[3], $row[4], $errnum, $errstr, 0.01); if ($errnum >= 1) { $status = 'offline'; } else { $status = 'online'; } mysql_query("update service set status='$status' sid='$row[0]'") or die(mysql_error()); ?> <ul><li style="min-width:190px;"><?php echo ...

windows xp - Will WPF run on XP and Vista? -

i curious if xp , vista supporting wpf or not. mean if dlls missing or not. thanks. wpf part of .net framework. long have right framework installed work. wpf introduced .net 3.0. if plan use it, recommend going .net 4.0 has matured each version. more info: http://en.wikipedia.org/wiki/windows_presentation_foundation winxp not shipped .net framework included, has installed separately. vista included 3.0. windows 7 included 3.5. think safe assume 99% of windows computers out there have recent .net framework version installed since many apps require it.

c# - WPF MediaElement fullscreen controls -

ill keep simple, have mediaelementcontrol playing full screen using following code canvasmoviecategoryitem.children.remove(uimediaplayer); uimediaplayer.width = system.windows.systemparameters.primaryscreenwidth; uimediaplayer.height = system.windows.systemparameters.primaryscreenheight; this.background = new solidcolorbrush(colors.black); this.content = uimediaplayer; this.windowstyle = windowstyle.none; this.windowstate = windowstate.maximized; this works nicely. does know way of adding panel @ bottom when move mouse buttons control elements of active media element make own player using user control mechanism. create user control insert panel @ bottom , mediaelement. then control panel mousemove event of usercontrol when mouse position in area make panel visible.and when moves area make hidden. hope got idea , helps.

java - android : WALLPAPER_CHANGED is not working on samsung galaxy -

i have application in receiving wallpaper_changed broadcast. problem is working in htc desire hd not working on motorola milestone or droid x. why ?? not working on samsung galaxy s. what can issue ? the problem device , changed implementation of android in os. cannot problem.

php - Working with ampersands in $_GET functions -

if have url asdf.com/index.php?a=0&b=2, using $_get a 0 , b 2. however, term put single $_get function has ampersand in already, a=steak&cheese. there way make ampersands work without $_get variable thinking job ends when ampersand shows (therefore not pulling entire term)? urlencode() & turns %26 . if need make query string out of parameters, can use http_build_query() instead , url encode parameters you. on receiving end, $_get values decoded php, query string a=steak%26cheese corresponds $_get = array('a' => 'steak&cheese') .

Third-Party Signed SSL Certificate for localhost/127.0.0.1? -

without divulging information, need setup web server system intended used end users on internet. the use case such that: end users (usually) in homes behind local firewalls when connecting system. the system consists of remote server hosted us, strictly on https (using ssl) the authorization mechanism requires user account self-creation on remote server which, upon successful account creation, require piece of software downloaded , installed end users' computer. software contains, among other things, local webserver. this "local" webserver must allow https connections user's browser. since distributed software unique web server on every individual users' machine, i'm unsure how or if possible, third party signed ssl certificate won't cause trustworthiness errors when user connects via web browser. of course can use self-signed ssl certs idea avoid browser warnings end users implicitly "trust" data coming own application running web...

django template value display -

possible duplicate: display templates value in datatable (django) actually i'm new django ur modified code.... follows: there 1 problem im facing when ever im trying save new entryies shows error exception value: 'queryset' object has no attribute 'save' , path_to_template dis m not getting bit confusion in dat... actually in setting.py file did dis: project_path = os.path.realpath(os.path.dirname(__file__)) template_dirs = ( project_path + '/templates/', ) your modified code: class patientinfo(models.model): name = models.charfield(max_length=200) uhid = models.charfield(max_length=200) age = models.integerfield() gender = models.charfield(max_length=200) views.py: def patient(request): patients = patientinfo.objects.all() t = template("path_to_template/mytemplate.html") c = context({ "patients": patients }) d = t.render(c) return httpresponse(d) in mytemplate.html: {% patient in p...

javascript - How can I add AND remove a classes coupled with setting AND removing cookies with Jquery -

hallo all, i'm quite new , i'm in way on head. i'll try keep short... i have 2 x 3 buttons. pleace follow this link see picture of them. (i can't post pictures jet...) in picture upper row of buttons :hover class, lower standard. 6 buttons have div , have css style (.black1 + .black1:hover) coupled them class. (html): <div><a id="black" href="#" class="black1">black</a></div> <div><a id="black_day" href="#" class="gr_light_off"></a></div> <div><a id="black_month" href="#" class="re_light_on"></a></div> <div><a id="white" href="#" class="red1">white</a></div> <div><a id="white_day" href="#" class="gr_light_off"></a></div> <div><a id="white_month" href="#" class=...

iphone iOS mapkit, filter a list of points(Longitude, Latitude) by Nearest -

i have list of points of interest in plist file containing point info + longitude & latitude. i wonder how show in mapview nearest points me according radius ? example : radius = 2km --> show top 20 nearest pins location calculate distance between position , points sort , filter results. to calculate distance use distancefromlocation

Where should a ruby constant live? -

%div{:id=>[arsenal[@home.page_color]], :class=> "page"} i'm using following constant arsenal in home#page view. should constant live in order used view in ruby on rails? right i'm met actionview::template::error (uninitialized constant actionview::compiledtemplates::arsenal): you can define in own initializer file: #config/initializers/setup_constants.rb arsenal = ["ccc", "ddd",...]

uiview - How do you add a UINavigationBar to UIWebView such that the web content draw area scales to the area beneath the navigation bar? -

here's situation: myviewcontroller has button called "help." pressing "help" activates following ibaction method, loads uiwebview displaying pdf. loads subview uiwebview uinavigationbar called "helpnavbar" "done" button. reason load helpnavbar programmatically because if don't that, helpnavbar gets covered on pdf display (although can still see if scroll pdf down far enough uncover it...!). however, the problem this: after loading helpnavbar programmatically, the pdf still scales full screen area (except beneath helpnavbar instead of on top of it). here code ibaction method: (ibaction)helpbuttonpress:(id)sender { uiview *current_view; current_view = self.view; [uiview beginanimations:@"switch" context:nil]; [uiview setanimationtransition:uiviewanimationtransitionflipfromleft forview:self.view cache:yes]; //[current_view removefromsuperview]; //still can't pdf show (it partially under bu...

javascript - Regular Expression: Match Partial or full string -

i have small script takes value text input , needs match item in array either partially or fully. i'm struggling @ moment regular expression , syntax , wondered if pick brains. for (var i=0; < livefilterdata.length; i+=1) { if (livefilterdata[i].match(livefilter.val())) { alert(); } } i need livefilter.val() , regular expression match current array item livefilterdata[i] if types in h or h in text box, checks if there matching item in array. if type in or matches head, header or heading. sorry, i've looked on web on how build regular expressions can't work out. simple string comparison shold trick: for (var v, = livefilterdata.length; i--;) { if (livefilterdata[i].slice (0, (v = livefilter.val().tolowercase ()).length) === v) { alert(); } } livefilterdata should contain words in lower case.

php - Which API standard? -

we're planning new project feature api available customers interact our app own web sites , systems. never having built close full-fledged api in past, not aware of standards or recommendations available , used make api more adapted our customers. we build api using php , parts of api need authentication while others don't. of today, have read little oauth, soap & rest, have no idea on practiec. what technology/standard recommended base api 2011+ upon? there number of options, suggest may find publishing soap api php quite tricky maintain. the reason there no inherent wsdl generation within php, you'll either have roll own (and modify each time), or experiment 1 of 3rd party tools - none of have found particularly satisfactory in past. i suggest more straightfoward method implementing api in php go down restful route.

java - Android game score int add in access database through servlet -

i not sure on how go have game want expand further , let user submit score name. this submit score , name servlet add details access database. the score of int type. would great if show me how this, or point me in right direction. thanks in android, pass score , name request parameters in url. string url = "http://example.com/servlet?score=" + score + "&name=" + urlencoder.encode(name, "utf-8"); // connect url. in servlet, access them request parameters. int score = integer.parseint(request.getparameter("score")); string name = request.getparameter("name"); // save them in db. see also: executing http request httpclient in android servlets info page jdbc tutorial

c - Sending/receiving weird data -

im sending data on network via sockets this: (broadcast) void sendbroad(char *dstip, char *localip, char *localmac) { int sock; /* socket */ struct sockaddr_in broadcastaddr; /* broadcast address */ int broadcastpermission; /* socket opt set permission broadcast */ unsigned int datalen; char data[100]={0}; strcat(data, localip); strcat(data, " "); strcat(data, localmac); strcat(data, " "); /* create socket sending/receiving datagrams */ if ((sock = socket(pf_inet, sock_dgram, ipproto_udp)) < 0) perror("socket() failed"); /* set socket allow broadcast */ broadcastpermission = 1; if (setsockopt(sock, sol_socket, so_broadcast, (void *) &broadcastpermission, sizeof(broadcastpermission)) < 0) perror("setsockopt() failed"); /* construct local address structure */ memset(&broadcastaddr, 0, sizeof(broadc...

silverlight - Implementing Telerik VirtualQueryableCollectionView with MVVM pattern -

i have application implemented using telerik radgridview control , caliburn.micro mvvm framework. because of performance problems, needed implement telerik virtualqueryablecollectionview in place of direct control-to-observablecollection binding being used. original code has itemssouce property of radgridview bound prices property of view model. had eliminate binding , in code-behind: public pricingview(pricingviewmodel vm) { initializecomponent(); var dataview = new virtualqueryablecollectionview() { loadsize=20, virtualitemcount = vm.prices.count }; dataview.itemsloading += (sender, e) => { var view = sender virtualqueryablecollectionview; if (dataview != null) { view.load(e.startindex, vm.prices.skip(e.startindex).take(e.itemcount)); } }; this.pricesgridview.itemssource = dataview; } since code deals ui specific functionality , specific the view im...

extjs datefilter firing additional ajax requests? -

i have initialised gridfilter date filter in following way: var filtersxxx = new ext.ux.grid.gridfilters({ filters: [ {type: 'date', dataindex: 'confirmeddate'} ] }); filtersxxx.autoreload = false; this.xxxgrid.plugins=[this.xxxgrid.initplugin(filtersxxx)]; //add event handler when filter updated: this.xxxgrid.on('filterupdate',function(){ alert('filterupdate'); this.xxxtab.populatedata.call(this); //populatedata custom function sends ajax request },this); //override buildquery manipulate params filtersxxx.buildquery = function (filtersxxx) { var filterparams = ext.util.json.decode(this.store.baseparams.filterparams); // filterparams defiend inside store namevaluepair.this sent server for(var i=0, len=filtersxxx.length; i<len; i++) { var gridfilter1 = filtersxxx[i]; var objtemp = {x: gridfilter1.data["value"]}; objtemp[gridfilter1.field] =objtemp["x"]; ...