text
stringlengths
15
59.8k
meta
dict
Q: Background image not changing when scrolling up but works fine while scrolling down I am a beginner at Javascript and Jquery. I am trying to achieve an effect where background image changes on scrolling text. The code works fine for top to bottom scroll but one image is not changing on bottom to top scroll. Here is my code, <head> <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.2.1/jquery.min.js"></script> <script> $(window).scroll(function(){ var fromTopPx = 200; // distance to trigger var scrolledFromtop = $(window).scrollTop(); if(scrolledFromtop > fromTopPx && scrolledFromtop < 600) // distance to trigger second background image { $('html').addClass('scrolled'); } else if(scrolledFromtop > 600 && scrolledFromtop < 1000) // distance to trigger third background image { $('html').addClass('scrolledtwo'); } else{ $('html').removeClass('scrolled'); $('html').removeClass('scrolledtwo') } }); </script> <style> html { background-repeat: no-repeat; background-position: center center; background-attachment: fixed; -webkit-background-size: cover; -moz-background-size: cover; -o-background-size: cover; background-size: cover; } html { background-image:url(assets/images/b1.jpeg); } html.scrolled { background-image:url(assets/images/ab3.jpeg); } html.scrolledtwo { background-image:url(assets/images/ab9.jpeg); } </style> </head> What am I missing? A: You must try it like this, the classes which were added during scroll could also needs to be removed at certain conditions as below, $(window).scroll(function() { var fromTopPx = 200; // distance to trigger var scrolledFromtop = $(window).scrollTop(); if (scrolledFromtop > fromTopPx && scrolledFromtop <= 600) // distance to trigger second background image { $('html').addClass('scrolled'); $('html').removeClass('scrolledtwo'); } else if (scrolledFromtop >= 601 && scrolledFromtop < 1000) // distance to trigger third background image { $('html').addClass('scrolledtwo'); $('html').removeClass('scrolled'); } else { $('html').removeClass('scrolled'); $('html').removeClass('scrolledtwo') } }); html { background-repeat: no-repeat; background-position: center center; background-attachment: fixed; -webkit-background-size: cover; -moz-background-size: cover; -o-background-size: cover; background-size: cover; } body { height: 1200px; } html { background-image: url("http://placehold.it/350x150/111/fff"); } html.scrolled { background-image: url("http://placehold.it/350x150/f11/fff"); } html.scrolledtwo { background-image: url("http://placehold.it/350x150/f2f/fff"); } <script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> Remove .scrolledtwo class when scrollTop is between 200 to 600, same-way remove .scrolled when it between 601 to 1000 else if it crosses the condition remove both. A: Your code is working fine. Have a look. Make a long page you will see the effect. You have set the criteria to change the background image. Good work. A: Only problem was : You were not removing the older added class and were adding new class, at in the middle region i.e. > 600 you are having both the classes scrolled and scrolledTwo. So one solution is : Remove the older class before adding new class. Use these lines at correct places : a- $('html').removeClass('scrolled'); b- $('html').removeClass('scrolledTwo'); use this script : $(window).scroll(function(){ var fromTopPx = 200; // distance to trigger var scrolledFromtop = $(window).scrollTop(); if(scrolledFromtop > fromTopPx && scrolledFromtop < 600) // distance to trigger second background image { $('html').removeClass('scrolledtwo') $('html').addClass('scrolled'); } else if(scrolledFromtop > 600 && scrolledFromtop < 1000) // distance to trigger third background image { $('html').removeClass('scrolled'); $('html').addClass('scrolledtwo'); } else{ ***$('html').removeClass('scrolled');*** $('html').removeClass('scrolledtwo') } return false; });
{ "language": "en", "url": "https://stackoverflow.com/questions/44178364", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: What is the meaning of "driver core" in the context of Linux kernel device drivers? I was reading through the Linux Device Drivers, Third Edition book and in the "Putting It All Together" section in Chapter 14, they mention the interaction between "PCI core, driver core and the individual PCI drivers." And they used the word "driver core" multiple other times. Is the "driver core" different from the "character device driver"? My question is arises from the intent of understanding the InfiniBand stack. The IB stack spans both the user-space and the kernel-space. So, if I am writing a simple ping-pong InfiniBand program to run on the Mellanox ConnectX-4 NIC, my binary will depend on 2 user-space libraries: libibverbs and libmlx5, AND 3 kernel-modules: ib_uverbs, mlx5_ib and mlx5_core. I know ib_uverbs is a character device driver. But can we consider the mlx5_ib and mlx5_core kernel modules as some category of driver? Or are their functions just globally exported in order to interface with them? A: The driver core is the generic code that manages drivers, devices, buses, classes, etc. It is not tied to a specific bus or device. I believe the chapter you refer to provides several examples to the division of labor between the PCI bus driver and the driver core, for example, see Figure 14-3 (Device-creation process). Of the three kernel modules you mention, two participate in the device core: ib_uverbs registers its character devices to export RDMA functionality to user-space; mlx5_core registers a PCI driver to handle ConnectX NICs; mlx5_ib can also be considered a driver, but the RDMA subsystem doesn't use the device core to register drivers (it has its own API - ib_register_device). A: what is driver core ?? Observe following flow of calls in Linux Source. tps65086_regulator_probe---> devm_regulator_register--> regulator_register-->device_register(/drivers/regulator/tps65086-regulator.c--->/drivers/regulator/core.c---> drivers/base/core.c ). tps65086 driver calls regulator core which in turn calls driver core. This driver is following standard driver model. include/linux/device.h ----> driver model objects are defined here. drivers/base/ --> All Functions that operate on driver model objects are defined here. we can refer this as driver core and is base for any driver Frame work. All the registrations come here from Higher Layers. Any driver subsystem ..weather PCI/USB/Platform is based on this. drivers/base/core.c -- is the core file of standard driver model. A slight confusion in naming - However we can refer drivers/base/ - as driver core . Any difference character driver vs other driver ?? /drivers/char/tlclk.c tlclk_init-->register_chrdev -->register_chrdev --> cdev_add --> kobj_map (fs/char_dev.c ---> /drivers/base/map.c ). a character device registration is done with char_dev, a file system driver, which again uses infrastructure of driver model base. whare as a non character driver like tps65086-regulator.c, may register with driver core as below. tps65086_regulator_probe---> devm_regulator_register--> regulator_register-->device_register-->device_add-->kobject_add (/drivers/regulator/tps65086-regulator.c--->/drivers/regulator/core.c---> drivers/base/core.c ) Also It's not just based on type of driver , but based on what kind of device it is and how device needs to be handled. Here is a pci-driver which register's a character device. tw_probe-->register_chrdev --> cdev_add --> kobj_map ( /drivers/scsi/3w-xxxx.c -->fs/char_dev.c ---> /drivers/base/map.c ) There is no standard rule wether a driver should call driver core or not. Any stack / framework can have its own core to manage a device,which is the case with the driver mlx5_ib (drivers/infiniband/core/). But Finally mostly it will use Kobject infrastructure and driver model objects,like struct device. driver model infrastructure is introduced to eliminate redundant kernel code and data structures. so most drivers are based on this and it is the effective way of writing a linux driver.
{ "language": "en", "url": "https://stackoverflow.com/questions/47584527", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to create socket to receive both text and image I want to create a server which receives both text and image. For text I used DataInputStream dis.readUTF(), and for image, I used ObjectInputStream ois.readObject() to read the image as byte[]. So how can I write code to detect the data receiving is text or byte[]? A: You'll have to use some kind of signal from the client to know whether it is sending text or an image. Alternatively, you could receive on different ports depending on the type of input.
{ "language": "en", "url": "https://stackoverflow.com/questions/25332101", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to addClass with css3 Animation? I cant create nice finish for my css3 animation. Like go box-shadow to opacity 0. If i just add class with pause animation, it will be not nice, like blik stop. Javascript $(this).addClass('paused').delay(200).addClass('a-finish'); CSS .paused { -webkit-animation-play-state:paused; -moz-animation-play-state:paused; animation-play-state:paused; } .a-finish { -webkit-animation: 5s linear 0s normal none 1 wrap-done; } @-webkit-keyframes wrap-done { 0% { box-shadow: 0 9px 4px rgba(255, 255, 255, 1) inset;} 100% { box-shadow: 0 9px 4px rgba(255, 255, 255, 0) inset;} } So i just need some like easy fade out animation by another css3 animation. How i can do this with css3 and JQ? A: I found solution. What i created: Javascript $('.class').addClass('blink'); <-Start some animation. $('.class').on('webkitTransitionEnd', function() { <-When animation end. $(.class).addClass('paused'); <-Stop animation. $(.class).addClass('a-finish'); <-Start finish animation. } Css .blink { ...some blik animation } .paused { -webkit-animation-play-state:paused; -moz-animation-play-state:paused; animation-play-state:paused; } .a-finish { -webkit-animation: 5s linear 0s normal none 1 wrap-done; } @-webkit-keyframes wrap-done { 0% { box-shadow: 0 9px 4px rgba(255, 255, 255, 1) inset;} 100% { box-shadow: 0 9px 4px rgba(255, 255, 255, 0) inset;} } And this is not work!! So if animation is paused by animation-play-state:paused; we cant add new. So i just use removeClass with previous animation and start new for finish.
{ "language": "en", "url": "https://stackoverflow.com/questions/19094274", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: JPL 8:a situation,the difference between effectively final and final Effectively final code public void say() { String b = "222"; // effectively final b class A { public A(String c) { b = "123"; // error } } b = "123"; // success; if b is final, it is an error } Is there a more detailed difference? A: If your variable is affected after being declared (e.g. anytime you write "b = "123") then it is not effectively final. In inner class or nested class (such as your class A), you can only reference variable from the outer scope (such as b) that are effectively final. The same restriction applies to constructs that are derived from nested classes such as lambdas. Declaring a variable with the "final" keyword is a convenient way to be sure that you variable is effectively final.
{ "language": "en", "url": "https://stackoverflow.com/questions/45878326", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-3" }
Q: pagination ajax in codeigniter with load data otomatis from database i try to load data from database otomatis, input from phpmyadmin with query and otomatis data can show in view AJAX, then i try to join with pagination AJAX. this my code to show otomatis : model : function get_all_transaksi_proses() { $limit=10; $offset = 0; $rs = $this->db->query("SELECT a.id_transaksi, a.nama, a.tgl_transaksi, (SELECT COUNT( id_transaksi ) AS jum FROM tbl_detail_trs_menu WHERE id_transaksi = a.id_transaksi) AS jumlah, a.status_transaksi, a.total, b.status_pelanggan, c.nama_karyawan FROM tbl_transaksi a LEFT JOIN tbl_pelanggan b ON a.id_pelanggan = b.id_pelanggan LEFT JOIN tbl_karyawan c ON a.id_karyawan = c.id_karyawan WHERE a.status_transaksi = 'PROSES' LIMIT ".$offset.",".$limit.""); return $rs; } control : public function ambilDataTransaksi() { $data=$data=$this->transaksi->get_all_transaksi_proses(); echo json_encode(array("result" => $data->result_array())); } view : <script type="text/javascript"> $(document).ready(function() { selesai(); }); function selesai() { setTimeout(function() { update(); selesai(); }, 200); } function update() { $.getJSON("<?php echo base_url();?>transaksiDigorCont/ambilDataTransaksi", function(data) { $(".dataku").empty(); $no=1; $.each(data.result, function() { $(".dataku").append( "<tr><td>"+$no+"</td>\n\ <td>"+this['id_transaksi']+"</td>\n\ <td>"+this['nama']+"</td>\n\ <td>"+this['tgl_transaksi']+"</td>\n\ <td>"+this['jumlah']+"</td>\n\ <td>"+this['status_transaksi']+"</td>\n\ <td>"+this['total']+"</td>\n\ <td>"+this['status_pelanggan']+"</td>\n\ <td>"+this['nama_karyawan']+"</td><td>"+this['nama_karyawan']+"</td></tr>"); $no++;}); }); } </script> so why i implement pagination in this code... thx u A: In your controller add pagination library, logic create offset & limit, and load view of listing like wise... (Place normal pagination code here) Write this jquery code on your view to load different pages : <script> $(function(){ $("#pagination-div-id a").click(function(){ $.ajax({ type: "POST", url: $(this).attr("href"), data:"q=<?php echo $searchString; ?>", success: function(res){ $("#containerid").html(res); } }); return false; }); }); </script> like wise... You need to do some dig & dag over here.. But this way is working for me. Here is one link for reference & detailed example : http://ellislab.com/forums/viewthread/122597/
{ "language": "en", "url": "https://stackoverflow.com/questions/20171220", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Make a new column in Pandas dataframe by adding multiple columns I'm just a beginner and I have a dataframe with multiple columns like this A B C D 2 4 6 8 1 3 5 7 1 2 3 4 The names of the column A-D are its date. For example, April 1, April 2, April 3, etc. But the dataframe also includes previous months. How do I make a new column and get the sum for April only? Thank you. A: If your dataframe looks like: >>> df March 29 March 30 March 31 April 1 April 2 April 3 April 4 0 9 5 4 7 4 4 2 1 6 7 7 2 7 3 6 2 3 5 8 9 8 2 2 3 9 1 8 3 5 9 3 4 9 1 1 3 9 2 9 First, build list of month groups by splitting column names in two parts: * *[0] → month name *[1] → day months = [month for month, _ in df.columns.str.split()] >>> months ['March', 'March', 'March', 'April', 'April', 'April', 'April'] Then, group and sum for each month along columns axis: out = df.groupby(months, axis="columns").sum() >>> out April March 0 17 18 1 18 20 2 21 16 3 20 18 4 23 11 Edit: column names as datetime (like 2021-01-01 00:00:00) >>> df 2020-03-29 2020-03-30 2020-03-31 2020-04-01 2020-04-02 2020-04-03 2020-04-04 0 9 5 4 7 4 4 2 1 6 7 7 2 7 3 6 2 3 5 8 9 8 2 2 3 9 1 8 3 5 9 3 4 9 1 1 3 9 2 9 Convert your columns name from string to datetime (if needed): df.columns = pd.to_datetime(df.columns) The rest remains unchanged: months = df.columns.strftime("%B") out = df.groupby(months, axis="columns").sum() >>> out April March 0 17 18 1 18 20 2 21 16 3 20 18 4 23 11
{ "language": "en", "url": "https://stackoverflow.com/questions/67362439", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Error: Sys.WebForms.PageRequestManagerServerErrorException in ASP.NET 4.5.1 I have asp.net application which is developed in asp.net 3.5 and i recently upgraded the application to new framework which is .NET Framework 4.5.1 and previously it was a web site and I converted it into Web Application now. Every things work fine expect one thing all I am facing below mentioned error on all those pages where Update Panel of Microsoft AJAX are used Details of Error is: Error: Sys.WebForms.PageRequestManagerServerErrorException: An unknown error occurred while processing the request on the server. The status code returned from the server was: 502 This is the error which is occurring when ever any event is trigger to update the update panel While working in Visual Studio it is working fine but when i publish this web application and host it on IIS only than i encounter the error no matter on production server or on my dev machine. I have no idea what is wrong ...
{ "language": "en", "url": "https://stackoverflow.com/questions/22659392", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Pandas set start and end based on consecutive category So there are similar questions on stack overflow but none that quite address this and I can't really figure this one out. I have a pandas DataFrame that looks like this: Account Size ------------------ 11120011 0 11130212 0 21023123 1 22109832 2 28891902 2 33390909 0 34123495 0 34490909 0 And for the all the accounts that have size==0 I'd like to collapse them like so: Account Start Size Account End --------------------------------------- 11120011 0 11130212 21023123 1 21023123 22109832 2 22109832 28891902 2 28891902 33390909 0 34490909 The Accounts with size!=0 can just repeat in both columns but for the ones with size=0 I'd just like to keep the beginning and end of that particular segment. The df is sorted on Account already. Help is appreciated. Thanks. A: IIUC, using diff + cumsum create the groupkey , then do agg m1=df.Size.diff().ne(0) m2=df.Size.ne(0) df.groupby((m1|m2).cumsum()).agg({'Account':['first','last'],'Size':'first'}) Out[97]: Size Account first first last Size 1 0 11120011 11130212 2 1 21023123 21023123 3 2 22109832 22109832 4 2 28891902 28891902 5 0 33390909 34490909 A: Late to the party but I think this also works. df['Account End'] = df.shift(-1)[(df.Size == 0)]['Account'] Still in the learning phase for pandas, if this is bad for any reason let me know. Thanks.
{ "language": "en", "url": "https://stackoverflow.com/questions/53367045", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: CSS does not apply(after the first page) on trying to print a html page using javascript My HTML page has content generated dynamically and forms a length of more than 1 page while trying to print. The problem occurs from the second page where the css does not apply properly. Border lines for HTML table rows are not completly seen. The CSS i have applied for the HTML table is border: 1px solid #DADADB; background:#F3F3F3; text-align:center; font-size:15px; FWIW, The content intended to print is placed in a HTML table element which is placed in a DIV. A: In Print View some styles for some elements (if not given in CSS) becomes default. Because of that - all your form elements (input and textarea) in Print View got white background covering borders of table. Solution - set background of inputs and textareas to none. input, textarea { background: none; } And done ;)
{ "language": "en", "url": "https://stackoverflow.com/questions/10926017", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Change data connection sql query in LiveCycle based on external data I have a PDF form in LiveCycle Designer ES4 which has a data connection to an Access database. I would like to AUTOMATICALLY populate the form with data from the database, based on information in an XML file. For example, I have the following file, name.xml: <Form> <Name>Mike</Name> </Form> I would like all the form fields to populate as if the following query had run: SELECT * FROM Info WHERE Name = 'Mike' I have thought about a few methods of doing this that make sense to me. Either * *Import the data from the file and create a query string, something like var nameXML = xfa.loadXML("name.xml") var name = nameXML."parseTheXMLSomehow" $.DataConnection.#command.query.commandType = "text" $.DataConnection.#command.query.select.nodes.item(0).value = Concat("SELECT * FROM Info WHERE Name = '", name, "'") $.DataConnection.open() *Create a data connection to the XML file and bind it to the Name field, and then somehow change all the other fields as in the option above, or *Retrieve the data as in the first option, then set the value of the Name field (which is bound to the data connection to the database) to the data value, and somehow have that automatically change everything else. Problems: * *loadXML doesn't work with data files, and xfa.host.importData("name.xml") doesn't seem to do anything (maybe because the document isn't certified - couldn't understand how to do that) *I can create the data connection to the XML file and bind it to a field, but it doesn't display anything. Is there something I need to add to the XML file? *I can't get the data in the first place, and even if I could, changing one field doesn't automatically change the others, even though they're all bound to the same data source. Right now, the second option seems to be my best bet if I could get the data to actually populate. Thanks for any help! A: Before moving forward, make sure you understand the concept of Reader Extensions. Your PDF must be applied with appropriate Usage Rights (more specifically 'Database and Web service Connectivity') before loading data into it. You did not create a data connection directly to your XML file. Rather you would have created a data source from a sample XML file. This will just use the schema of the XML - not the actual data. If you want to change the values of all fields at the same, set Global Data Binding. Hope these tips may help you. -Nith
{ "language": "en", "url": "https://stackoverflow.com/questions/34521827", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Generate Expressjs API as methods for client side for isomorphic web Is there a generator for http services exposed by expressjs that wraps the calls to http get post and offer method wrappers client side for the browser in isomorphic apps ? Kind of what Typelite http://type.litesolutions.net/ offer for C# devs webapi but for nodejs expressjs ? Thanks A: I found that loopback which is based on express have these generators, for anyone interested in this
{ "language": "en", "url": "https://stackoverflow.com/questions/43922470", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: elasticsearch reindex change document structure I plan on using the _reindex api to reindex some data. Is there a way in which you can flatten an array during the operation using a script and reindex this array as individual documents? Note: I know I can use scan and scroll, but was hoping to use the in-build reindex API, as it gives a nice progress indication via the tasks api. I have a structure like the following in index_a { "field_a": [ "value_a", "value_b" ] } What I would like to do during the reindex is to create individual documents for each of the items in the array during the _reindex operation. I would like something that does this: doc_1: { "field": "value_a" } and doc_2: { "field": "value_b" } ElasticSearch Version: 2.4 Is this even possible or would I have to use something like a custom plugin to do this?
{ "language": "en", "url": "https://stackoverflow.com/questions/45444973", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "4" }
Q: BackgroundService does not see database updates I've come across a strange problem with my Blazor app. The app has a background service that polls remote hosts for status information, and updates the database with that information. The webasm client sees any updates the background service makes, but if I update a record via the client through an API controller (for instance, changing the IP address) the background service doesn't see the new value unless I restart the server. Here's some relevant code from the background service: public class Poller : BackgroundService { private readonly IServiceScopeFactory _scopeFactory; private MyDbContext db; public Poller(IServiceScopeFactory scopeFactory) { _scopeFactory = scopeFactory; } protected override async Task ExecuteAsync(CancellationToken stoppingToken) { using (var scope = _scopeFactory.CreateScope()) { db = scope.ServiceProvider.GetRequiredService<MyDbContext>(); // Main loop while (!stoppingToken.IsCancellationRequested) { // Get list of workers foreach (var worker in db.Workers .Where(w => w.Status != WorkerStatus.Updating) .ToList()) { var prevStatus = worker.Status; // Poll for new status string currentStatus = await worker.PollAsync(stoppingToken); if (currentStatus != null) { worker.Status = currentStatus; } if (worker.Status != prevStatus) { await Log(worker, $"Status changed to {worker.Status}", stoppingToken); } await db.SaveChangesAsync(stoppingToken); } } } } private async Task Log(Worker? worker, string text, CancellationToken token) { var entry = new LogEntry { Worker = worker, Text = text }; db.LogEntries.Add(entry); await db.SaveChangesAsync(token); } Code from the API controller is basic boilerplate: [HttpPut("{id}")] public async Task<IActionResult> PutWorker(string id, Worker worker) { if (id != worker.WorkerId) { return BadRequest(); } _context.Entry(worker).State = EntityState.Modified; try { await _context.SaveChangesAsync(); } catch (DbUpdateConcurrencyException) { if (!WorkerExists(id)) { return NotFound(); } else { throw; } } return NoContent(); } Thanks! A: As soon as you are using the same DbContext instance, the updated data will not be seen in your entities. You can check this blog post for details: It turns out that Entity Framework uses the Identity Map pattern. This means that once an entity with a given key is loaded in the context’s cache, it is never loaded again for as long as that context exists. So when we hit the database a second time to get the customers, it retrieved the updated 851 record from the database, but because customer 851 was already loaded in the context, it ignored the newer record from the database http://codethug.com/2016/02/19/Entity-Framework-Cache-Busting/ I could successfully reproduce this behavior. For your case you could as an option create a new instance of context on each iteration // Main loop while (!stoppingToken.IsCancellationRequested) { using (var scope = _scopeFactory.CreateScope()) { db = scope.ServiceProvider.GetRequiredService<MyDbContext>(); // Get list of workers foreach (var worker in db.Workers .Where(w => w.Status != WorkerStatus.Updating) .ToList()) { var prevStatus = worker.Status; // Poll for new status string currentStatus = await worker.PollAsync(stoppingToken); if (currentStatus != null) { worker.Status = currentStatus; } if (worker.Status != prevStatus) { await Log(worker, $"Status changed to {worker.Status}", stoppingToken); } await db.SaveChangesAsync(stoppingToken); } } }
{ "language": "en", "url": "https://stackoverflow.com/questions/72733831", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to make Jar exe file which read/write data from text file How to convert text file into jar file.Actually In my java project I read and write data from a text file but when i convert my project into jar executable file then reading and writing from/into text file not working what should I do to make this work please help me. A: A jar file is immutable, for security reasons. You cannot save data back to a file stored in a jar file. Data saved from a Java program must be stored outside the classpath. Where that is, is up to you. If you program must ship with a sample/default file, to get started, you code can try reading the file from the external location. If not found there, read from the sample/default file in the jar file. After updating content in memory, save to external location, where it will be read from on next execution. A: You can make use of Classloader to read the file present in jar, but ofcourse you will not be able to write to it. To be able to read and write both file should be present in filesystem, you may want to have a look at Read and Write to Java file via Resource
{ "language": "en", "url": "https://stackoverflow.com/questions/32730808", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: How do I include my source code in Nix Docker Tools image? I'm building a web server using NodeJS, and I'm using the Docker Tools that Nix provides to build images for my server. I have the following Dockerfile that I'm tring to convert into a .nix file FROM node:12.20.0-alpine3.11 as build-deps WORKDIR /hedwig-app COPY ["package.json", "package-lock.json*", "./"] RUN npm install COPY . . RUN npm run build EXPOSE 8080 CMD [ "node", "build/index.js" ] However, I don't know how to copy my source code into the Docker image to be built. This is what I have so far { pkgs ? import <nixpkgs> {} }: let baseImage = pkgs.dockerTools.pullImage { imageName = "alpine"; imageDigest = "sha256:3c7497bf0c7af93428242d6176e8f7905f2201d8fc5861f45be7a346b5f23436"; sha256 = "119pbb2nrhs6nvbhhpcd52fqy431ag46azgxvgdmyxrwii97f4ah"; finalImageName = "alpine"; finalImageTag = "3.12"; }; sourceFiles = builtins.toString ./.; gitignoreSrc = pkgs.fetchFromGitHub { owner = "hercules-ci"; repo = "gitignore"; # put the latest commit sha of gitignore Nix library here: rev = "c4662e662462e7bf3c2a968483478a665d00e717"; # use what nix suggests in the mismatch message here: sha256 = "sha256:1npnx0h6bd0d7ql93ka7azhj40zgjp815fw2r6smg8ch9p7mzdlx"; }; inherit (import gitignoreSrc { inherit (pkgs) lib; }) gitignoreSource; src = gitignoreSource ./.; in pkgs.dockerTools.buildImage { name = "hedwig-api"; tag = "latest"; fromImage = baseImage; contents = [ pkgs.nodejs ]; runAsRoot = '' mkdir /hedwig-app cp -r ${src} /hedwig-app npm install npm run build ''; config = { ExposedPorts = { "8080/tcp" = {}; }; WorkingDir = "/hedwig-app"; Cmd = ["node" "build/index.js"]; }; } How could I copy my source code into the image before running npm run build? A: Inside Nix, you can't run npm install. Each step can only do one of two things: * *either compute a new store path without network access: a regular derivation *or produce an output that satisfies a hardcoded hash using a sufficiently simple* process that can access the network: a fixed output derivation These constraints ensure that the build is highly likely to be reproducible. npm install needs access to the network in order to fetch its dependencies, which puts it in the fixed output derivation category. However, dockerTools.buildImage will execute it in a regular derivation, so it will fail to contact the npmjs repository. For this reason, we generally can't map a Dockerfile directly to a series of buildImage calls. Instead, we can build the software with the Nix language infrastructures, like yarn2nix, node2nix or the various tools for other languages. By doing so, your build becomes reproducible, it tends to be more incremental and you don't have to worry about source files or intermediate files ending up in your container images. I'd also recommend to limit the contents parameter to a pkgs.buildEnv or pkgs.symlinkJoin call, because the contents are copied to the root of the container while also remaining in its store. *: sufficiently simple excludes anything beyond fetching a single resource, because that tends to be too fragile. If, for any reason, the fixed output derivation builder produces a different result and the only way to fix it is by changing the output hash, your entire build is essentially not reproducible.
{ "language": "en", "url": "https://stackoverflow.com/questions/65683206", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Cordova backbutton press from inappBrowser I was developing a cordova app,which contains a login logout functionality. The bug is when the user logs out of the app. The logout button calls inAppBrouser plugin to load logout page (from an external web source) after the logout success it stays in the same logout screen, when the user press back button it returns to main screen (from where he logged out), I want to close application there (the page he is going back is supposed to be displayed after login) I tried clearing the history when inappBrowser gets loaded, history.go(-(history.length - 1)); but no luck! from the cordova documentation as JesseMonroy650 said I tried overriding the backbutton press which is not working inside inappbrowser but the 'exit' eventListener I added seems to be working... window.addEventListener("exit", function () { navigator.app.exitApp(); }); the app sometimes exits evens before the back button is pressed. the problem with the listener help& Advises needed. A: window.addEventListener("exit", function () { navigator.app.exitApp(); }); seems to be working fine after upgrading to android version 4.1.1 Cordova version : 5.0.0 InappBrowser Version : 1.1.0 No code changes were needed
{ "language": "en", "url": "https://stackoverflow.com/questions/33187151", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Wait till Visual tree is done updating I am getting this error when I open dialog box on startup: Cannot perform this operation while dispatcher processing is suspended. At the start of the application, a Login Dialog window opens at the top of a window with switchable content. By that I mean I have a window, in which content get switched out by setting a ViewModel property on main window. I Do not get the error if i do not set the main window viewmodel, because it does not need to change anything in the view. This is the MainView, with the switchable viewmodel: <Window x:Class="WpfProject.Views.Main.MainView" xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" xmlns:ViewModels="clr-namespace:WpfProject.ViewModels.Main" Title="WpfProject" Height="700" Width="1000" Content="{Binding ViewModel}" Visibility="{Binding MainWindowVisiblility}" xmlns:MvvmDialogs="clr-namespace:MvvmDialogs.Behaviors;assembly=MvvmDialogs" MvvmDialogs:DialogBehavior.DialogViewModels="{Binding Dialogs}" xmlns:Behaviors="clr-namespace:WpfProject.Behaviors" xmlns:i="http://schemas.microsoft.com/expression/2010/interactivity" > <i:Interaction.Behaviors> <Behaviors:CancelCloseWindowBehavior CloseAction="{Binding CloseAction}"></Behaviors:CancelCloseWindowBehavior> </i:Interaction.Behaviors> <i:Interaction.Triggers> <i:EventTrigger EventName="Loaded"> <i:InvokeCommandAction Command="{Binding StartUpProcedureCommand}"></i:InvokeCommandAction> </i:EventTrigger> </i:Interaction.Triggers> <Window.DataContext> <ViewModels:MainViewModel ></ViewModels:MainViewModel> </Window.DataContext> The Interaction Trigger is the action that execute the dialog window. For dialog windows i am using Mark J Feldman's way of handling dialog boxes, which can be found here Now as suggested in the Title I would like to wait till the MainViewModel has been changed and updated the view, before opening the dialog window. Startup procedure command: private ICommand _StartUpProcedureCommand; public ICommand StartUpProcedureCommand { get { return _StartUpProcedureCommand ?? (_StartUpProcedureCommand = new Command(StartUpProcedure)); } } private void StartUpProcedure() { UserLoginDialog(); } private void UserLoginDialog(IUser user = null) { MainWindowVisiblility = Visibility.Hidden; LoginViewModel lvm=new LoginViewModel(user); this.Dialogs.Add(lvm); if (lvm.Result == null) Application.Current.MainWindow.Close(); } A: Mark's pattern for dialogs looks like a pretty ugly and poorly thought out solution to me, despite the lengthy article he has written. You are getting a sort of deadlock on the UI thread and need to wrap the showing of the new window in Dispatcher.BeginInvoke so that it is executed asynchronously and allows the dispatcher thread to continue processing. Something like this: Dispatcher.BeginInvoke(new Action(() => new CustomDialogWindow {DataContext = parent.DataContext}.ShowDialog());
{ "language": "en", "url": "https://stackoverflow.com/questions/32371048", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: View is not in the Window hierarchy using Sprite Kit I've already searched stackOverFlow for solutions and found a bunch of threads but none of them helped in my case. From a plain Sprite Kit template: I managed to create a table with prototype cells in the storyboard and populated them with a plist. Good so far! I also managed to show the UITableViewController from my SKScene with the following code: UIViewController *vc = self.view.window.rootViewController; [vc performSegueWithIdentifier:@"segueToTable" sender:nil]; I can go back to my SKScene with a segue from a Navigation Bar Back Button. BUT when I try to show the UITableViewController again I get the following error: Warning: Attempt to present <TableViewController: 0x135d78580> on <ViewController: 0x135e0c2e0> whose view is not in the window hierarchy! What can I do to segue between my SpriteKit scene and the UITableViewController? EDIT: I'm using NSNotificationCenter now. Simply add a notification in my main ViewController which calls [self performSegueWithIdentifier:@"segueIdentifier" sender:nil]; A: Are you calling the method on viewDidLoad: method? Somethimes calling a modal view controller within viewDidLoad: gives this kind of problem. You can solve this problem calling it from the viewDidAppear: method.
{ "language": "en", "url": "https://stackoverflow.com/questions/23118956", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Pandas: Merge data frames on datetime index I have the following two dataframes that I have set date to DatetimeIndex df.set_index(pd.to_datetime(df['date']), inplace=True) and would like to merge or join on date: df.head(5) catcode_amt type feccandid_amt amount date 1915-12-31 A5000 24K H6TX08100 1000 1916-12-31 T6100 24K H8CA52052 500 1954-12-31 H3100 24K S8AK00090 1000 1985-12-31 J7120 24E H8OH18088 36 1997-12-31 z9600 24K S6ND00058 2000 d.head(5) catcode_disp disposition feccandid_disp bills date 2007-12-31 A0000 support S4HI00011 1 2007-12-31 A1000 oppose S4IA00020', 'P20000741 1 2007-12-31 A1000 support S8MT00010 1 2007-12-31 A1500 support S6WI00061 2 2007-12-31 A1600 support S4IA00020', 'P20000741 3 I have tried the following two methods but both return a MemoryError: df.join(d, how='right') I use the code below on dataframes that don't have date set to index. merge=pd.merge(df,d, how='inner', on='date') A: It looks like your dates are your indices, in which case you would want to merge on the index, not column. If you have two dataframes, df_1 and df_2: df_1.merge(df_2, left_index=True, right_index=True, how='inner') A: You can add parameters left_index=True and right_index=True if you need merge by indexes in function merge: merge=pd.merge(df,d, how='inner', left_index=True, right_index=True) Sample (first value of index in d was changed for matching): print df catcode_amt type feccandid_amt amount date 1915-12-31 A5000 24K H6TX08100 1000 1916-12-31 T6100 24K H8CA52052 500 1954-12-31 H3100 24K S8AK00090 1000 1985-12-31 J7120 24E H8OH18088 36 1997-12-31 z9600 24K S6ND00058 2000 print d catcode_disp disposition feccandid_disp bills date 1997-12-31 A0000 support S4HI00011 1.0 2007-12-31 A1000 oppose S4IA00020', 'P20000741 1 NaN 2007-12-31 A1000 support S8MT00010 1.0 2007-12-31 A1500 support S6WI00061 2.0 2007-12-31 A1600 support S4IA00020', 'P20000741 3 NaN merge=pd.merge(df,d, how='inner', left_index=True, right_index=True) print merge catcode_amt type feccandid_amt amount catcode_disp disposition \ date 1997-12-31 z9600 24K S6ND00058 2000 A0000 support feccandid_disp bills date 1997-12-31 S4HI00011 1.0 Or you can use concat: print pd.concat([df,d], join='inner', axis=1) date 1997-12-31 z9600 24K S6ND00058 2000 A0000 support feccandid_disp bills date 1997-12-31 S4HI00011 1.0 EDIT: EdChum is right: I add duplicates to DataFrame df (last 2 values in index): print df catcode_amt type feccandid_amt amount date 1915-12-31 A5000 24K H6TX08100 1000 1916-12-31 T6100 24K H8CA52052 500 1954-12-31 H3100 24K S8AK00090 1000 2007-12-31 J7120 24E H8OH18088 36 2007-12-31 z9600 24K S6ND00058 2000 print d catcode_disp disposition feccandid_disp bills date 1997-12-31 A0000 support S4HI00011 1.0 2007-12-31 A1000 oppose S4IA00020', 'P20000741 1 NaN 2007-12-31 A1000 support S8MT00010 1.0 2007-12-31 A1500 support S6WI00061 2.0 2007-12-31 A1600 support S4IA00020', 'P20000741 3 NaN merge=pd.merge(df,d, how='inner', left_index=True, right_index=True) print merge catcode_amt type feccandid_amt amount catcode_disp disposition \ date 2007-12-31 J7120 24E H8OH18088 36 A1000 oppose 2007-12-31 J7120 24E H8OH18088 36 A1000 support 2007-12-31 J7120 24E H8OH18088 36 A1500 support 2007-12-31 J7120 24E H8OH18088 36 A1600 support 2007-12-31 z9600 24K S6ND00058 2000 A1000 oppose 2007-12-31 z9600 24K S6ND00058 2000 A1000 support 2007-12-31 z9600 24K S6ND00058 2000 A1500 support 2007-12-31 z9600 24K S6ND00058 2000 A1600 support feccandid_disp bills date 2007-12-31 S4IA00020', 'P20000741 1 NaN 2007-12-31 S8MT00010 1.0 2007-12-31 S6WI00061 2.0 2007-12-31 S4IA00020', 'P20000741 3 NaN 2007-12-31 S4IA00020', 'P20000741 1 NaN 2007-12-31 S8MT00010 1.0 2007-12-31 S6WI00061 2.0 2007-12-31 S4IA00020', 'P20000741 3 NaN A: I ran into similar problems. You most likely have a lot of NaTs. I removed all my NaTs and then performed the join and was able to join it. df = df[df['date'].notnull() == True].set_index('date') d = d[d['date'].notnull() == True].set_index('date') df.join(d, how='right')
{ "language": "en", "url": "https://stackoverflow.com/questions/36292959", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "36" }
Q: XC16 Put a data table in PSV memory (PIC) I want to put a table in Flash and read it directly from my C program. According to Microchip this is done by __attribute__((space(psv))) However, as the most things around microchip, their own examples doesn't work that well (usually obsolete and not updated): https://microchipdeveloper.com/16bit:psv So this is what I'm trying to do: uint16_t __attribute__((space(psv))) ConfDiskImage[] = { /*AOUT*/ 0x01E0,0x0004,0x3333,0x4053, /* 1*/ 0x01E1,0x0012,0x0005,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /* 2*/ 0x01E2,0x0012,0x0006,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /* 3*/ 0x01E3,0x0012,0x0007,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /*EOD */ 0x0000,0x0000 }; When I compile I get: "warning: ignoring space attribute applied to automatic ConfDiskImage" I'm using MPLAB X IDE 5.45 with XC16-gcc v1.50. Microcontroller: dsPIC33EP256MC506 Any ideas of how to get it to stay in Flash (not being copied to RAM) and read it directly from flash with a pointer? A: I suspect what you really need is perhaps more involved but the simple answer to the question you asked is to use the const storage class. For example: /* * File: main.c * Author: dan1138 * Target: dsPIC33EP256MC506 * Compiler: XC16 v1.61 * IDE: MPLABX v5.45 * * Created on February 19, 2021, 11:56 PM */ #pragma config ICS = PGD2, JTAGEN = OFF, ALTI2C1 = OFF, ALTI2C2 = OFF, WDTWIN = WIN25 #pragma config WDTPOST = PS32768, WDTPRE = PR128, PLLKEN = ON, WINDIS = OFF #pragma config FWDTEN = OFF, POSCMD = NONE, OSCIOFNC = ON, IOL1WAY = OFF, FCKSM = CSECMD #pragma config FNOSC = FRCDIVN, PWMLOCK = OFF, IESO = ON, GWRP = OFF, GCP = OFF #include "xc.h" const uint16_t ConfDiskImage[] = { /*AOUT*/ 0x01E0,0x0004,0x3333,0x4053, /* 1*/ 0x01E1,0x0012,0x0005,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /* 2*/ 0x01E2,0x0012,0x0006,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /* 3*/ 0x01E3,0x0012,0x0007,0x0000,0x0000,0x0000,0x4120,0x0000,0x0000,0x0000,0x4120, /*EOD */ 0x0000,0x0000 }; int main(void) { const uint16_t *pData; pData = ConfDiskImage; /* point to the start of the image */ /* * Walk the image */ for(;;) { if((!*pData) && (!*pData+1)) { /* At end of image point to the start */ pData = ConfDiskImage; } pData++; /* skip record type */ pData += 1+*pData/2; } return 0; }
{ "language": "en", "url": "https://stackoverflow.com/questions/66283085", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Mimic HTML5 form validation default styling I have a simple HTML5 form with required fileds. When the page loads the fields have no styling. When I click on the required field, type something and then erase the text I just typed and exit the field, it shows me pink box-shadow outside the invalid field in Firefox. Now I need yellow box-shadow, while retaining the same behavior. That's how I did: In HTML <input name="email_address" id="email_address_uuid_479823574" type="email" placeholder="ex. [email protected]" title="Email address" required /> ------- ------- <input name="model_number" id="model_number_uuid_479823574" type="text" placeholder="ex. oxpd-983s" title="Equipment model number" required /> In CSS input:required:invalid {box-shadow: 1px 2px 9px yellow}; Result: The page loads with all the fields with yellow box-shadow! Rather wait for user to make the mistake onblur and onsubmit like the default behavior. How to override the default box-shadow of invalid field without changing the behavior? A: Try: input:required:-moz-ui-invalid {box-shadow: 1px 2px 9px yellow}; See https://developer.mozilla.org/en/CSS/:invalid
{ "language": "en", "url": "https://stackoverflow.com/questions/11347612", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Laravel Model Restore Event So I have 2 Models Users & Staff. They have one to one relationship with one another. User.php 'hasOne' Staff AND Staff.php 'belongsTo' User When I Soft Delete a User I want to soft delete Staff entry as well, I have achieved this using(Works Perfectly): static::deleting(function ($user) { $user->staff()->delete(); }); Now I want to restore the staff when I restore the User for that I have tried using this(Not working): static::restoring(function ($user) { $user->staff()->restore(); }); But this is not working. The User Entry is deleted but the Staff entry still remains soft deleted. * *Can someone help me understand what I am doing wrong here? *Also, Is this the best way to get this done? Or is there some other way this should be done? PS: I'm using Laravel 5.5 A: It isn't working because $user->staff() doesn't fetch deleted staff. That's how relationships work by default. Just replace it with this: static::restoring(function ($user) { $user->staff()->withTrashed()->restore(); }); A: "static::restoring" event is never triggered when restoring a batch of models. If you're doing something like: Yourmodel::whereIn('id', [1,2,3])->restore(); It will restore your models but "static::restoring or restored" will never be triggered, instead you could do something like this: $models = Yourmodel::whereIn('id', [1,2,3])->get(); foreach($models as $model) { $model->restore(); }
{ "language": "en", "url": "https://stackoverflow.com/questions/49017347", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "4" }
Q: Django translation without request object I'm translating my Django app, in which I have a push notification module. From that module, I send a text field to user's mobile devices. Since the trigger of those notifications is not a proper HTTP request (with its "request" object), the default Django way of translating strings doesn't work. I have a field on every user profile with its preferred language, so I think I should write some kind of middleware which would match that field with its correct translation. Is there any way of doing that? A: You are looking for translation.override context manager: language = user.get_language() with translation.override(language): # Translate your message here.
{ "language": "en", "url": "https://stackoverflow.com/questions/38370949", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Passing value from aspx.cs page to stored procedure I have a line in my aspx.cs page that- cmd.CommandText="INSERT INTO [dbo].[Table] (No_Entered) Values ("+i+")"; My question is : what should be its corresponding stored procedure look like? Thank you in advance :-) A: cmd.CommandText = "YourStoredProcedureName"; cmd.CommandType = CommandType.StoredProcedure; cmd.Parameters.AddWithValue("@No_Entered",i); //@No_Entered is parameter name in SP Stored Procedure CREATE PROCEDURE dbo.YourStoredProcedureName @No_Entered int AS INSERT INTO TABLENAME (No_Entered) VALUES (@No_Entered) GO A: You have to create the stored procedure yourself. It doesn't magically exist on its own. https://msdn.microsoft.com/en-us/library/ms187926.aspx
{ "language": "en", "url": "https://stackoverflow.com/questions/38277822", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to find match accros multiple lines? I have a file that looks like this: #% text_encoding = utf8 :xy_name1 Text :xy_name2 Text text text to a text. Text and text to text text, text and text provides text text text text. :xy_name3 Text And I want to get each entry (:ENTRY_NAME (tab \t) ENTRY_DESCRIPTION). Im using r'^([a-zA-Z0-9:_\|!\.\?%\-\(\)]+)[\s\t]+(.*)$' regex but it doesn't work with entries that have multiline descriptions. How can I do that? A: The following code will do the trick: import re data = ''' #% text_encoding = utf8 :xy_name1 Text :xy_name2 Text text text to a text. Text and text to text text, text and text provides text text text text. :xy_name3 Text ''' print(re.findall(r'^:(\S+)\s+([\S\s]*?)(?=\n:|\Z)',data,re.M)) The last parameter in the re.findall is a flag that makes the search a multi-line search. ^:(\S+) will match the beginning of any line followed by a colon and at least one non-space character \s+ then consumes the tab and spaces before the description ([\S\s]*?) matches the description beginning with the first non-space character and including everything in its way - newlines inclusive. You can not use . here because in a multi-line search the . is not matching the newline character. That is why I used [\S\s] which matches all non-space characters and all space characters. The ? at the end makes the * non-greedy. Otherwise that group would consume everything all the way to the end of the data. (?=\n:|\Z) marks the end of the description. This group is a positive look-ahead which matches either a newline followed by a colon (\n:) or the end of the data (\Z). A look-ahead does not consume the newline and the colon therefore they will be available for the next match of the findall. The output of above code is [('xy_name1', 'Text\n'), ('xy_name2', 'Text text text to a text. \n\nText and text to text text, text and \n\ntext provides text text text text.\n'), ('xy_name3', 'Text\n')] Try it out here! A: You can use capture the ENTRY_NAME in group 1. For the ENTRY_DESCRIPTION in group 2 you can match the rest of the line, followed by all lines that do not start with the entry name pattern. ^:([\w:|!.?%()-]+)\t(.*(?:\n(?!:[\w:|!.?%()-]+\t).*)*) Regex demo | Python demo Example import re pattern = r"^:([\w:|!.?%()-]+)\t(.*(?:\n(?!:[\w:|!.?%()-]+\t).*)*)" s = ("#% text_encoding = utf8\n\n" ":xy_name1 Text\n\n" ":xy_name2 Text text text to a text. \n\n" "Text and text to text text, text and \n\n" "text provides text text text text.\n\n" ":xy_name3 Text") print(re.findall(pattern, s, re.MULTILINE)) Output [ ('xy_name1', 'Text\n'), ('xy_name2', 'Text text text to a text. \n\nText and text to text text, text and \n\ntext provides text text text text.\n'), ('xy_name3', 'Text') ]
{ "language": "en", "url": "https://stackoverflow.com/questions/73054221", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: plane calculation in point cloud with lm() in R I have some 3D points and I want to have the better plane which minimize the distance between the plane and the point cloud. I used lm() to extract the 3 values I need. x<-sample(1:100, 100) y<-sample(1:100, 100) z<-sample(1:100, 100) plot3d(x, y, z, type = "s", col = "red", size = 1) my.lm <- #I tried different combination of lm: lm(x ~ y + z)/lm(y ~ x + z)/lm(z ~ y + x) #lm fct Intercept 1st after ~ 2nd after ~ #lm(x~y+z) 43.45653 0.17151 -0.03203 #lm(y~x+z) 40.66175 0.17159 0.02322 #lm(z~x+y) 50.95859 -0.03298 0.02390 planes3d(-1, 0.17151, -0.03203, 43.45653, alpha=0.5) #function use a b c and d of the ax+by+cz+d=0 equation planes3d(0.17159, -1, 0.02322, 40.66175, alpha=0.5) planes3d(-0.03298, 0.02390, -1, 50.95859, alpha=0.5) I thought that the 3 planes extracted from the 3 lm() would be the same but they are very different. So I think that the reference axis chosen in the lm() function define the priority of research. So how can I have the better plane which fit with my point cloud and that independantly (I don't want to affect the output when I choose which axis I put before the ~) Where am I wrong? How can it be independant? When I apply my algorithm with lm(x~y+z) I see that the plane is sometimes orthogonal compared to what I expected. A: I think that your code is correct, but maybe the question that you are trying to solve is not clear in the sense of the output that you expect. In the example of a cloud of homogeneously distributed unlabelled 3D points, there is no unique way to perform a dichotomy, separating the points with a unique, "ideal" surface. You can do this for the individual Cartesian components of the set of points though, and this is what your code achieves. The first plane, shown in red color in the panel on the left in the figure below, separates the points in a linearly optimal way by a plane that only considers the x-coordinate of the points as a function of their position, leading to a function of the type x=f(y,z). The second plane (green, on the right) is the result of a linear fit of the y-component of the points, y=g(x,z); and the third (shown in blue, in the middle) is a linear fit of the z-component of the points in the set z=h(x,y). The three planes are certainly different, because they represent fits to different values. Hence, I don't think that there is anything wrong with your code and with your result. Unlike the case described here, it is often possible to define meaningful (hyper-)planes separating different types of points, (like points with a certain value, e.g., temperature; or points with different attributes like "yellow" and "purple" points). It then depends on the distribution of these points in space whether they are linearly separable or not. In the latter case there are often solutions, too, but they are more complicated. For more information on such cases you may want to read about Support Vector Machines (SVM). Several R packages provide algorithms for SVMs such as, e.g., e1071 or the popular caret library.
{ "language": "en", "url": "https://stackoverflow.com/questions/35919111", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Initializing new Fragment in Tabhost/Viewpager construct not working I have an activity holding a sidebar navigation and a place holder for my fragments. (-> on clicking the sidemenu I switch fragments ...) One of those fragments (called TabFragment) uses tabs, which are populated with (List)fragments (similar to http://developer.android.com/reference/android/support/v4/view/ViewPager.html example, but I dont use Actionbar Tabs, but the old ones). The first time I show the TabFragment, everything works. The TabFragment is called, there I "populate the tabs" (--> like in the example above I actually just populate the viewpager) with my ListFragments (there onCreateView etc. is called). It works. Then I try to put another instance of the TabFragment on the screen (I need to show different lists and want to be able to use the back button -> backstack), the TabFragment is called, I add the Fragments to the TabsAdapter, but no lifecycle methode of the ListFragments is called ... why? [I know that this isn't the best way to go and there are plenty of options to rewrite this to get the same effect, but since it works the first time I'd really like to know where this is going wrong] Activity Code Fragment search1 = new MainListFr(); Bundle test1 = new Bundle(); test1.putInt(Constants.FRAGMENT_SEARCH_ID, 1); g1.setArguments(test1); m_fragmentTransaction = m_fragmentManager.beginTransaction(); m_fragmentTransaction.add(R.id.main_fragment_container, search1, "search1"); m_fragmentTransaction.addToBackStack("search1"); m_fragmentTransaction.commit(); m_layout.toggleSidebar(); MainListFr (=TabFragment) public class MainListFr extends Fragment { TabHost m_tabHost; ViewPager m_viewPager; TabsAdapter m_tabsAdapter; @Override public View onCreateView(final LayoutInflater inflater, final ViewGroup container, final Bundle savedInstanceState) { final View view = inflater.inflate(R.layout.stub_main, null); m_tabHost = (TabHost) view.findViewById(android.R.id.tabhost); m_tabHost.setup(); m_viewPager = (ViewPager) view.findViewById(R.id.main_pager); m_tabsAdapter = new TabsAdapter(getActivity(), m_tabHost, m_viewPager); View v1 = inflater.inflate(R.layout.tab_left, null); View v2 = inflater.inflate(R.layout.tab_right, null); Bundle args = getArguments(); m_tabsAdapter.addTab(m_tabHost.newTabSpec("topsearch").setIndicator(v1), SearchListFr.class, args); m_tabsAdapter.addTab(m_tabHost.newTabSpec("topsuggestion").setIndicator(v2), SuggestionListFr.class, args); if (savedInstanceState != null) { m_tabHost.setCurrentTabByTag(savedInstanceState.getString("tab")); } return view; } } SearchListFr (=ListFragment) private ListView m_list = null; private View m_progress = null; private View m_noRes = null; SearchAdapter m_searchAdapter = null; private Vector<SearchItem> m_searchList = null; private int m_searchId = 0; @Override public View onCreateView(final LayoutInflater inflater, final ViewGroup container, final Bundle savedInstanceState) { final View view = inflater.inflate(R.layout.fr_videolist, null); m_list = (ListView) view.findViewById(R.id.fr_videolist_list); m_progress = view.findViewById(R.id.progress_root); m_noRes = view.findViewById(R.id.noresult_root); m_list.setVisibility(View.GONE); m_noRes.setVisibility(View.GONE); m_progress.setVisibility(View.VISIBLE); Bundle args = getArguments(); if (args != null) { m_searchId = args.getInt(Constants.FRAGMENT_SEARCH_ID); } // load the content here (asynctask) new LoadSearchList().execute(); return view; } @Override public void onActivityCreated(Bundle _savedInstanceState) { super.onActivityCreated(_savedInstanceState); m_searchAdapter = new SearchAdapter(getActivity()); m_list.setAdapter(m_searchAdapter); m_list.setItemsCanFocus(true); m_list.setOnItemClickListener(this); } TabsAdapter /** * This is a helper class that implements the management of tabs and all * details of connecting a ViewPager with associated TabHost. It relies on a * trick. Normally a tab host has a simple API for supplying a View or * Intent that each tab will show. This is not sufficient for switching * between pages. So instead we make the content part of the tab host * 0dp high (it is not shown) and the TabsAdapter supplies its own dummy * view to show as the tab content. It listens to changes in tabs, and takes * care of switch to the correct paged in the ViewPager whenever the selected * tab changes. */ public class TabsAdapter extends FragmentPagerAdapter implements TabHost.OnTabChangeListener, ViewPager.OnPageChangeListener { private final Context mContext; private final TabHost mTabHost; private final ViewPager mViewPager; private final ArrayList<TabInfo> mTabs = new ArrayList<TabInfo>(); static final class TabInfo { private final Class<?> clss; private final Bundle args; TabInfo(String _tag, Class<?> _class, Bundle _args) { clss = _class; args = _args; } } static class DummyTabFactory implements TabHost.TabContentFactory { private final Context mContext; public DummyTabFactory(Context context) { mContext = context; } @Override public View createTabContent(String tag) { View v = new View(mContext); v.setMinimumWidth(0); v.setMinimumHeight(0); return v; } } public TabsAdapter(FragmentActivity activity, TabHost tabHost, ViewPager pager) { super(activity.getSupportFragmentManager()); mContext = activity; mTabHost = tabHost; mViewPager = pager; mTabHost.setOnTabChangedListener(this); mViewPager.setAdapter(this); mViewPager.setOnPageChangeListener(this); } public void addTab(TabHost.TabSpec tabSpec, Class<?> clss, Bundle args) { tabSpec.setContent(new DummyTabFactory(mContext)); String tag = tabSpec.getTag(); TabInfo info = new TabInfo(tag, clss, args); mTabs.add(info); mTabHost.addTab(tabSpec); notifyDataSetChanged(); } @Override public int getCount() { return mTabs.size(); } @Override public Fragment getItem(int position) { TabInfo info = mTabs.get(position); return Fragment.instantiate(mContext, info.clss.getName(), info.args); } @Override public void onTabChanged(String tabId) { int position = mTabHost.getCurrentTab(); mViewPager.setCurrentItem(position); } @Override public void onPageScrolled(int position, float positionOffset, int positionOffsetPixels) { } @Override public void onPageSelected(int position) { // Unfortunately when TabHost changes the current tab, it kindly // also takes care of putting focus on it when not in touch mode. // The jerk. // This hack tries to prevent this from pulling focus out of our // ViewPager. TabWidget widget = mTabHost.getTabWidget(); int oldFocusability = widget.getDescendantFocusability(); widget.setDescendantFocusability(ViewGroup.FOCUS_BLOCK_DESCENDANTS); mTabHost.setCurrentTab(position); widget.setDescendantFocusability(oldFocusability); } @Override public void onPageScrollStateChanged(int state) { } }
{ "language": "en", "url": "https://stackoverflow.com/questions/12383874", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to properly loop without eval, parse, text=paste("... in R So I had a friend help me with some R code and I feel bad asking because the code works but I have a hard time understanding and changing it and I have this feeling that it's not correct or proper code. I am loading files into separate R dataframes, labeled x1, x2... xN etc. I want to combine the dataframes and this is the code we got to work: assign("x",eval(parse(text=paste("rbind(",paste("x",rep(1:length(toAppend)),sep="",collapse=", "),")",sep="")))) "toAppend" is a list of the files that were loaded into the x1, x2 etc. dataframes. Without all the text to code tricks it should be something like: x <- rbind(##x1 through xN or some loop for 1:length(toAppend)#) Why can't R take the code without the evaluate text trick? Is this good code? Will I get fired if I use this IRL? Do you know a proper way to write this out as a loop instead? Is there a way to do it without a loop? Once I combine these files/dataframes I have a data set over 30 million lines long which is very slow to work with using loops. It takes more than 24 hours to run my example line of code to get the 30M line data set from ~400 files. A: If these dataframes all have the same structure, you will save considerable time by using the 'colClasses' argument to the read.table or read.csv steps. The lapply function can pass this to read.* functions and if you used Dason's guess at what you were really doing, it would be: x <- do.call(rbind, lapply(file_names, read.csv, colClasses=c("numeric", "Date", "character") )) # whatever the ordered sequence of classes might be The reason that rbind cannot take your character vector is that the names of objects are 'language' objects and a character vector is ... just not a language type. Pushing character vectors through the semi-permeable membrane separating 'language' from 'data' in R requires using assign, or do.call eval(parse()) or environments or Reference Classes or perhaps other methods I have forgotten.
{ "language": "en", "url": "https://stackoverflow.com/questions/14224760", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to print the sum of the number of times a certain integer returns? Heres the code: I want to be able to print something like "Buy! = ???" or "Sell! = ???" or "Hold! = ???". list_A = [] list_B = [] num_sells = 0 num_buys = 0 num_holds = 0 for x in range(10000): list_A.append(np.random.randint(0,10)) list_B.append(np.random.randint(0,10)) if list_A[x] > list_B[x]: num_buys += 1 cprint("Buy!", 'green', attrs=['bold', 'reverse', 'blink'], file=sys.stderr) elif list_A[x] < list_B[x]: num_sells += 1 cprint("Sell!", 'red', attrs=['bold', 'reverse', 'blink'], file=sys.stderr) else: num_holds += 1 cprint("Hold!", attrs=['bold', 'reverse', 'blink', 'dark'], file=sys.stderr) Recommendations are greatly appreciated. A: Well then just print the answer outside the loop. If I'm getting your doubt correctly. list_A = [] list_B = [] num_sells = 0 num_buys = 0 num_holds = 0 for x in range(10000): list_A.append(np.random.randint(0,10)) list_B.append(np.random.randint(0,10)) if list_A[x] > list_B[x]: num_buys += 1 elif list_A[x] < list_B[x]: num_sells += 1 else: num_holds += 1 cprint("Buy!", 'green', attrs=['bold', 'reverse', 'blink'], file=sys.stderr) cprint("Sell!", 'red', attrs=['bold', 'reverse', 'blink'], file=sys.stderr) cprint("Hold!", attrs=['bold', 'reverse', 'blink', 'dark'], file=sys.stderr) Like the above.
{ "language": "en", "url": "https://stackoverflow.com/questions/60235571", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-4" }
Q: Hello world hibernate Trying to run simple java project with SQLight Hybernate. Got exception: Deleting Doc Hibernate: delete from Doc Updating document, DocID = 2, Name = doc 2 Hibernate: update Doc set DocName=?, Job=? where Id=? exception Batch update returned unexpected row count from update [0]; actual row count: 0; expected: 1 Jun 15, 2016 3:30:03 PM org.hibernate.event.def.AbstractFlushingEventListener performExecutions SEVERE: Could not synchronize database state with session org.hibernate.StaleStateException: Batch update returned unexpected row count from update [0]; actual row count: 0; expected: 1 at org.hibernate.jdbc.Expectations$BasicExpectation.checkBatched(Expectations.java:85) at org.hibernate.jdbc.Expectations$BasicExpectation.verifyOutcome(Expectations.java:70) at org.hibernate.jdbc.NonBatchingBatcher.addToBatch(NonBatchingBatcher.java:47) at org.hibernate.persister.entity.AbstractEntityPersister.update(AbstractEntityPersister.java:2574) at org.hibernate.persister.entity.AbstractEntityPersister.updateOrInsert(AbstractEntityPersister.java:2478) at org.hibernate.persister.entity.AbstractEntityPersister.update(AbstractEntityPersister.java:2805) at org.hibernate.action.EntityUpdateAction.execute(EntityUpdateAction.java:114) at org.hibernate.engine.ActionQueue.execute(ActionQueue.java:267) at org.hibernate.engine.ActionQueue.executeActions(ActionQueue.java:259) at org.hibernate.engine.ActionQueue.executeActions(ActionQueue.java:179) at org.hibernate.event.def.AbstractFlushingEventListener.performExecutions(AbstractFlushingEventListener.java:321) at org.hibernate.event.def.DefaultFlushEventListener.onFlush(DefaultFlushEventListener.java:51) at org.hibernate.impl.SessionImpl.flush(SessionImpl.java:1206) at org.hibernate.impl.SessionImpl.managedFlush(SessionImpl.java:375) at org.hibernate.transaction.JDBCTransaction.commit(JDBCTransaction.java:137) at hyberntst.Db2.close(Db2.java:46) at hyberntst.Db2.saveDoc(Db2.java:75) at hyberntst.HybernTst.main(HybernTst.java:19) I have empty table Doc in data.db CREATE TABLE `Doc` ( `Id` INTEGER PRIMARY KEY AUTOINCREMENT, `DocName` TEXT, `Job` TEXT ) Hybernate config - hybernate.cfg.xml: <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE hibernate-configuration PUBLIC "-//Hibernate/Hibernate Configuration DTD 3.0//EN" "http://hibernate.sourceforge.net/hibernate-configuration-3.0.dtd"> <hibernate-configuration> <session-factory> <property name="hibernate.dialect">hyberntst.SQLiteDialect</property> <property name="hibernate.connection.driver_class">org.sqlite.JDBC</property> <property name="hibernate.connection.url">jdbc:sqlite:data.db</property> <property name="hibernate.connection.pool_size">1</property> <property name="hibernate.show_sql">true</property> <!--property name="hibernate.current_session_context_class">thread</property--> <!--property name="hibernate.query.factory_class">org.hibernate.hql.classic.ClassicQueryTranslatorFactory</property--> <property name="hibernate.cache.provider_class">org.hibernate.cache.NoCacheProvider</property> <mapping resource="hyberntst/Doc.hbm.xml"/> </session-factory> </hibernate-configuration> Class responsible for dealing with DB: package hyberntst; import java.util.List; import org.hibernate.HibernateException; import org.hibernate.Query; import org.hibernate.Session; import org.hibernate.SessionFactory; import org.hibernate.cfg.Configuration; public class Db2 { private SessionFactory sessionFactory; private Session session; Db2() { sessionFactory = new Configuration().configure().buildSessionFactory(); } //------------------------------------------------------------------------------------------------------------------ private void open() { session = sessionFactory.openSession(); session.beginTransaction(); } private List query(String hql) { Query query = session.createQuery(hql); return query.list(); } private void executeUpdate(String hql) { Query query = session.createQuery(hql); query.executeUpdate(); } private void close() { session.getTransaction().commit(); session.close(); } public void deleteDoc() { try { open(); log.finer("Deleting Doc"); executeUpdate("delete Doc"); close(); } catch (Exception ex) { log.logExept(ex); } catch (Error err) { log.warning(err.toString()); } } public void saveDoc(Doc doc) { try { open(); log.finer("Updating document, DocID = " + doc.getId() + ", Name = " + doc.getDocName()); session.saveOrUpdate(doc); close(); } catch (Exception ex) { log.logExept(ex); } } } Doc class for writing to DB: public class Doc { private Integer id; public Integer getId() { return this.id; } public void setId(Integer id) { this.id = id; } private String docName; public String getDocName() { return this.docName; } public void setDocName(String docName) { this.docName = docName; } private String job; public String getJob() { return this.docName; } public void setJob(String job) { this.job = job; } } "main" code: Doc d = new Doc(); d.setId(new Integer(2)); d.setDocName("doc 2"); d.setJob("job 2"); Db2 db2 = new Db2(); db2.deleteDoc(); db2.saveDoc(d); There you can see libs I use: Looks like delete from database works fine, but what is wrong with insertion? And what is question marks parmas in log file? Hibernate: update Doc set DocName=?, Job=? where Id=? A: In general, if entity id is not null, hibernate will perform update. More information here: saveOrUpdate() does the following: * *if the object is already persistent in this session, do nothing if another object associated with the session has the same identifier, throw an exception *if the object has no identifier property, save() it *if the object's identifier has the value assigned to a newly instantiated object, save() it *if the object is versioned by a or , and the version property value is the same value assigned to a newly instantiated object, save() it *otherwise update() the object You have to call save() explicitly or leave id null
{ "language": "en", "url": "https://stackoverflow.com/questions/37854121", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: What is a clean way to write a localized FtpReply to an FtpSession in a Ftplet? I would like to avoid hardcoding reply messages in a Ftplet, how can I call LocalizedFtpReply org.apache.ftpserver.impl.LocalizedFtpReply.translate(FtpIoSession session, FtpRequest request, FtpServerContext context, int code, String subId, String basicMsg) or equivalent, in a clean way? public class NotifyFtplet extends DefaultFtplet { @Override public FtpletResult onUploadStart(FtpSession session, FtpRequest request) throws FtpException, IOException { session.write(new DefaultFtpReply(FtpReply.REPLY_150_FILE_STATUS_OKAY, "File status okay; about to open data connection.")); return FtpletResult.SKIP; } }
{ "language": "en", "url": "https://stackoverflow.com/questions/74951860", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Tests running locally but no test generation on jenkins ‘Publish JUnit test result report’ failed: No test report files were found I have been writing unit tests for my angular app and they run pretty well on jasmine . However when putting them on jenkins the build doesn't get completed and I have no report generated, I get the following error . [32m28 07 2019 12:52:27.841:INFO [karma]: [39mKarma v1.7.1 server started at http://0.0.0.0:9876/ [32m28 07 2019 12:52:27.844:INFO [launcher]: [39mLaunching browser ChromeHeadless with unlimited concurrency [32m28 07 2019 12:52:27.875:INFO [launcher]: [39mStarting browser ChromeHeadless [31m28 07 2019 12:52:46.448:ERROR [karma]: [39m{ inspect: [Function: inspect] } Build step 'Execute shell' marked build as failure Recording test results ERROR: Step ‘Publish JUnit test result report’ failed: No test report files were found. Configuration error? Finished: FAILURE What I tried to do is making two separate jenkins projects . In each one I put a different test file ( in total they're two tests files) . One of the projects run pretty well but the second one sends back the mentionned Error , I get the same error when putting both test files in the same jenkins project . This is the project (website folder) https://github.com/testing-angular-applications/testing-angular-applications.git The tests are the two .spec files inside chapter03 (inside the same git) At least I should get the report file but the build didn't go to that point ( no report has been generated) A: Resolved ! I had to downgrade to Jasmine core 2.4.1 .
{ "language": "en", "url": "https://stackoverflow.com/questions/57240965", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: converting 2D mouse coordinates to 3D space in OpenGL ES I want to convert mouse's current X and Y coordinates into the 3D space I have drawn in the viewport. I need to do this on the OpenGL ES platform. I found following possible solutions implemented in OpenGL, but none fits what I am looking for. * *I found NeHe's tutorial on doing exactly this, but in traditional OpenGL way. It uses gluUnProject. http://nehe.gamedev.net/data/articles/article.asp?article=13 Although gluUnProject is not available in OpenGL ES, its implementation seems simple enough to port back. But before calling it, we need to call glReadPixels with GL_DEPTH_COMPONENT and that is not possible in OpenGL ES. (The reason I found in this thread: http://www.khronos.org/message_boards/viewtopic.php?f=4&t=771) *What I want to do is similar to picking, except that I don't want to select the object but I want exact coordinates so that I can recognize particular portion of the object that is currently under mouse cursor. I went through the Picking tutorials in this answer. https://stackoverflow.com/posts/2211312/revisions But they need glRenderMode, which I believe is absent in OpenGL ES. If you know how to solve this problem in OpenGL ES, please let me know. Thanks. A: I think the general solution is to figure out where in world space the clicked coordinate falls, assuming the screen is a plane in the world (at the camera's location). Then you shoot a ray perpendicular to the plane, into your scene. This requires "world-space" code to figure out which object(s) the ray intersects with; the solutions you mention as being unsuitable for OpenGL ES seem to be image-based, i.e. depend on the pixels generated when rendering the scene. A: With OpenGL ES 2.0 you could use a FBO and render the depth values to a texture. Obviously, this wouldn't be exactly cheap (just a way around the restriction of glReadPixels)... Further, since - as I understand it - you want to pick certain parts of your object you might want to do some sort of color-picking where each selectable portion of the object has an unique color (note that the Lighthouse 3D tutorial only shows the general idea behind color-picking, your implementation would probably be different). You could optimize a little by performing a ray/bounding-box intersection beforehand and only rendering the relevant candidates to the texture used for picking.
{ "language": "en", "url": "https://stackoverflow.com/questions/2532693", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "2" }
Q: Setting up Rocket-chip for Questasim and getting error while compiling jtag_vpi.c I have downloaded Rocket-chip from GIT, installed RISC-V tools and Generated the verilog files for Rocket core. Now I want to run the assembly tests that are given but I dont have VCS instead I have Questasim. I modified the Makefile to use Questasim but the two C++ files that needs to be compiled SimDTM.cc and jtag_vpi.c are giving error. In Questa we cant compile C files along with verilog files instead we need to compile this separately and generate *.so file and link with -pli while simulating. Here when I'm compiling jtag_vpi.c I'm getting and error saying invalid conversion from 'void*' to 'PLI_INT32. I'm compiling it with the below command and the error I'm getting is also pasted below. g++ jtag_vpi.c -I $RISCV/include -I $MTI_HOME/questasim/include -std=c++11 -W -shared -Bsymblic -fPIC . . riscv/rocket-chip/csrc/jtag_vpi.c:398:2: error: invalid conversion from ‘void*’ to ‘PLI_INT32 (*)(t_cb_data*) {aka int (*)(t_cb_data*)}’ [-fpermissive] Line 398:2 is just an end of a function and the error is shown at the end of each such function. Any help will be useful. Thanks in advance.
{ "language": "en", "url": "https://stackoverflow.com/questions/44427504", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: swift 3 using layers to reveal an image by drawing "clear" lines * Update Shortly after posting I found this which looks to have all my answers. Not yet worked it out for myself but this might help anyone else with similar issue. Scratch Card effect in Swift 3 End Update * This is my first question to Stack so apologies if it's a bit 'noob'. My question kind of has two parts. I've used a couple of tutorials which have shown me how to draw lines over an image in an imageView, but I'm struggling to achieve my goal of revealing an image beneath an overlayer by drawing a "clear" line on the layer. Imagine a scratch card... that is the effect I'm after. I have used the following Stack question/answer to help guide me initially Draw a line realtime with Swift 3.0; but my end goal is being thwarted further by the confusion of image/view bounds. The tutorial above works great for initial drawing, except when I touch the screen, the position of my finger is converted to the imageView coordinates, so the line never appears where I place my finger. I would really like someone to help my convert the coords so the line draws exactly where I place my finger. I've tried changing the bounds in the 'Draw line' func, but I get strange behaviour from the image and the drawing stops working completely. If anyone is able to help on either issue I'd be really grateful. And if I need to split the questions then I will do so. I've attached my code if it helps. Thanks for looking... class ViewController: UIViewController { @IBOutlet weak var myImageView: UIImageView! var layer: CALayer { return myImageView.layer } var lastPoint = CGPoint.zero var red: CGFloat = 0.0 var green: CGFloat = 0.0 var blue: CGFloat = 0.0 var brushWidth: CGFloat = 10.0 var opacity: CGFloat = 1.0 var swiped = false override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) { swiped = false if let touch = touches.first { lastPoint = touch.location(in: self.view) } } func drawLine(from fromPoint: CGPoint, to toPoint: CGPoint) { UIGraphicsBeginImageContextWithOptions(view.bounds.size, false, 0) myImageView.image?.draw(in: view.bounds) let context = UIGraphicsGetCurrentContext() context?.move(to: fromPoint) context?.addLine(to: toPoint) context?.setLineCap(CGLineCap.round) context?.setLineWidth(brushWidth) context?.setStrokeColor(red: red, green: green, blue: blue, alpha: 1.0) context?.setBlendMode(CGBlendMode.normal) context?.strokePath() myImageView.image = UIGraphicsGetImageFromCurrentImageContext() myImageView.alpha = opacity UIGraphicsEndImageContext() } override func touchesMoved(_ touches: Set<UITouch>, with event: UIEvent?) { swiped = true if let touch = touches.first { let currentPoint = touch.location(in: view) drawLine(from: lastPoint, to: currentPoint) lastPoint = currentPoint } } override func touchesEnded(_ touches: Set<UITouch>, with event: UIEvent?) { if !swiped { // draw a single point self.drawLine(from: lastPoint, to: lastPoint) } } func setUpLayer() { layer.backgroundColor = UIColor.clear.cgColor layer.borderWidth = 10.0 layer.borderColor = UIColor.red.cgColor layer.shadowOpacity = 0.7 layer.shadowRadius = 10.0 } override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. myImageView.image = UIImage(named: "8BitGirls.png") setUpLayer() } } A: The UIResponder Touches methods are returning coordinates in your UIViewController.view's coordinates, but you need to draw in your imageViews coordinates. UIView has multiple methods to help you with this. try this one: myImageView.convert(fromPoint, from: view)
{ "language": "en", "url": "https://stackoverflow.com/questions/41773831", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Where is statement counter incremented for reporting coverage within Go source code? I am looking into the Golang source code and want to understand how does it calculate coverage. I understand that each block of code has it's own statement counter; however, where is that statement counter being incremented? Here is a link for the cover.go: https://github.com/golang/go/blob/master/src/cmd/cover/cover.go A: Realized that you are unable to see where the counters are incremented;; the counters are boolean statements at the end of each block of code and are set to true/false during buildtime.
{ "language": "en", "url": "https://stackoverflow.com/questions/55754559", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: debug node js chaincode ...? This link gives tutorial on debugging javascript chaincode in hyperledger fabric. I was able to debug my chaincode following it but recently I updated to fabric 1.2 and the peer channel list command CORE_PEER_LOCALMSPID=Org1MSP CORE_PEER_MSPCONFIGPATH=/home/bct/fabric-samples/basic-network/crypto-config/peerOrganizations/org1.example.com/users/[email protected]/msp peer channel list fails with: Fatal error when initializing core config : error when reading core config file: Unsupported Config Type "" I tried to go back to v1.1 but the problem persists. Can someone give me the complete list of configuration steps that may have been missed in tutorial video (which I was following) that make the debugging chaincode work. Thanks in advance. A: Finally, figured out that fabric sdk (https://github.com/hyperledger/fabric-sdk-node) has to be downloaded and configured before following the video tutorial in the question.
{ "language": "en", "url": "https://stackoverflow.com/questions/53813595", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Properly writing a hexadecimal value to an address in x86 machine language I'm trying to learn how to write x86 machine code as hexadecimal (as part of putting text to the monitor on a qemu cold start.) My guess from reading a few sites was that the proper instruction to write 0x78073807 to 0xB8000 should be something along the lines of C7 00 80 0B 00 07 38 07 78 00 00 00 00 00 00 00. However, when putting this into a disassembler, the information it returns appears to indicate that this syntax is wrong. What am I missing here? Thank You! A: The code is missing the modr/m byte between the opcode C7 and the displacement and immediate. mov dword [0x000B8000], 0x78073807 C7, 05, 00, 80, 0B, 00, 07, 38, 07, 78
{ "language": "en", "url": "https://stackoverflow.com/questions/72080383", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Obtain a link to a specific email in GMail How can I obtain a link (a URL) to a specific email in GMail? I want to click that link and open the specific email. A: To clarify on the answer provided by Kevin Patel you can get the link directly from your browser, however you must have the reading pane set to "No split", otherwise you get a generic URL. A: I don't know about a specific "email", but you can view a specific thread (which is usually one email) by clicking in the URL bar and copying that. Then, change the label to "all". So if the url is "https://mail.google.com/mail/u/0/#inbox/abc123def456", you would change "#inbox" to say "#all" like this: "https://mail.google.com/mail/u/0/#all/abc123def456" Now the link will work, even after you archive it and it's not in your inbox. A: Since Google introduced the integration of Google Tasks and Gmail a few weeks ago, one way you can get the URL of a specific Gmail email us: * *Turn a given Gmail email into a Google Task; *Open the task editing window (you can't perform the next task from the task display, it only seems to work when the task editing function is invoked); *Hover over the link to the originating Gmail email in the next task you just created (the link is at the bottom of the task display); *Use that URL to access the specific Gmail email by clicking on the link in the corresponding Google task or just pop the URL into the URL bar of any browser or other workflow (of course, the session must be logged in to the relevant Google account). Enjoy! A: If you are happy with a bookmarklet that copies a link to the current email to your clipboard, you can try adding this to your bookmarks: javascript:(function()%7Basync%20function%20copyPermalink()%20%7Btry%20%7BsearchURL%20%3D%20'https%3A%2F%2Fmail.google.com%2Fmail%2Fu%2F0%2F%23search%2Fmsgid%253A'%3BmessageId%20%3D%20document.querySelector('div%5Bdata-message-id%5D').getAttribute('data-message-id').substring(7)%3Bawait%20navigator.clipboard.writeText(searchURL%20%2B%20messageId)%3Bconsole.log('Mail%20message%20permalink%20copied%20to%20clipboard')%3B%7D%20catch%20(err)%20%7Bconsole.error('Failed%20to%20copy%3A%20'%2C%20err)%3B%7D%7DcopyPermalink()%7D)() It essentially searches the currently focussed email for its data-message-id attribute, and then converts that into a search url using the msgid predicate (this doesn't seem to be documented, but was quite guessable.). The full link is then copied to your clipboard. Caveat: Seems to work with or without a preview pane, but this hasn't been extensively tested. A: I don't think Gmail can show one email, it always shows a thread. You can look for one message, but still will see the whole thread. If this is OK for you, the URL is https://mail.google.com/mail/u/0/#search/rfc822msgid: followed by the message ID (can be found by looking at "show original"). See this question for some more details. A: Gmail Sharable Link Creator Site Link: GmailLink.GitHub.io Steps to Follow to generate the Link * *Get the Message ID Of Mail Thread (Mail > 3 dot menu in Right side (⋮) > Click on Show Original > See the MessageID). *Copy the Message-Id *Use the MessageId & click On Submit to generate the Mail Sharable Link. https://stackoverflow.com/a/61849710/7950511 A: You can specify the inbox email address in the link to open the email in the correct inbox. if [email protected] is your inbox email Create the link as follows https://mail.google.com/mail/u/[email protected]/#all/YOUR_EMAIL_ID A: You can open up an email that you want in Gmail and after that, you can simply copy the link location from the search bar of your browser. It will create a unique weblink for every single email. It is as simple as that. A: You just have to click on "show original" and copy the URL. A: Actyally, get a single email link, without the full thread, seems not to be directly supported; apart from manual url rewriting or coding tricks, that require time or specific skills, the faster workarounds I know are: Copy the URL from the tab that opens clicking on one of these 2 entry on the email menu: * *print - CONS: It also open the print popup, that you have to dismiss *show original - CONS: The email is not formatted, you see original sources, so images and formatting are missed, and messy code are added A: How about this Chrome Extension https://chrome.google.com/webstore/detail/gmail-message-url/bkdmmijcdflpcjchjglegcipjiabagei/related
{ "language": "en", "url": "https://stackoverflow.com/questions/20780976", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "53" }
Q: C# Generics containing generics? T I got lost implementing a interface where I need TKey, TValue and TMessageListener public interface IHelper<TKey, TValue, TMessageListener> but my TMessageListener is TMessageListener<TValue> how can I declare this at the interface layer? A: It could be achieved with type constraints as follows. public interface IHelper<TKey,TValue,TMsgLst> where TMsgLst : TMessageListener<TValue>
{ "language": "en", "url": "https://stackoverflow.com/questions/38903656", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Contact cursor returning duplicate rows My application requires contacts to integrate. I am writing a query to get the contacts from the native. I get all the rows but with the duplicate rows. Duplicate are coming if Whatsapp, skype and other accounts are linked. Below is the query String isPhoneType = "(" + Data.MIMETYPE + "='" + CommonDataKinds.Phone.CONTENT_ITEM_TYPE + "' AND " + CommonDataKinds.Phone.NUMBER + " IS NOT NULL ) "; String query = Contacts.DISPLAY_NAME + " IS NOT NULL " + " AND (" + isPhoneType + ")" ; String[] projection; if (Compatibility.isCompatible(11)) { projection = new String[] { Data._ID, Data.CONTACT_ID, Data.DATA1, Data.DISPLAY_NAME, Data.PHOTO_ID, Data.LOOKUP_KEY, Data.PHOTO_URI }; } else { projection = new String[] { Data._ID, Data.CONTACT_ID, Data.DATA1, Data.DISPLAY_NAME, Data.PHOTO_ID, Data.LOOKUP_KEY }; } Cursor resCursor = ctxt.getContentResolver().query(uri, projection, query, null, Data.DISPLAY_NAME + " ASC"); Please help in getting the unique rows based on the phone numbers. Thanks A: Add unique to phone number column in sqlite database and you will not get same contact twice. @Override public void onCreate(SQLiteDatabase db) { String CREATE_CONTACTS_TABLE = "CREATE TABLE " + TABLE_CONTACTS + "(" + KEY_ID + " INTEGER PRIMARY KEY," + KEY_NAME + " TEXT," + KEY_PH_NO + " TEXT UNIQUE," + KEY_IMAGE + " TEXT" + ")"; db.execSQL(CREATE_CONTACTS_TABLE); }
{ "language": "en", "url": "https://stackoverflow.com/questions/34283172", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "2" }
Q: Using overriden function in base class constructor for derived class I'm very new to C++ programming so I wanted to write some simple code to get used to the syntax. I have deliberately ignored pointers and references for the moment. During coding, I was practising inheritance and I wanted to create a class Hand which represents a hand of cards. The base class has a function called update(), which is used to initialize the "total" and "notation" properties upon construction. Moreover it is possible to add cards to the hand using the add() function which adds a card to the hand and triggers update() to update the properties appropriately. #include<vector> class Hand { public: std::vector<int> cards; int total; std::string notation; // Abbreviated notation of the object // Constructor Hand(std::vector<int> cards); void update(); void add(int card); } Hand::Hand(std::vector<int> cards) { this->cards = cards; update(); } void Hand::update() { total = 0; notation += "{ "; for (int card: cards) { total += card; notation += std::to_string(card) + " "; } notation += "}"; } void Hand::add(int card) { cards.push_back(card); update(); } Next, I wanted to create a more specific class of Hand called StandHand, which does all the same things as Hand but it also has a variable that changes when the total reaches a particular value. Initially I thought I could just write the subclass as shown below, but alas. class StandHand : public Hand { public: int stand; StandHand(std::vector<int> cards, int stand); void update(); } StandHand::StandHand(std::vector<int> cards, int stand) : Hand(cards) { this->stand = stand; updateHand(); } void StandHand::update() { Hand::update(); notation += stand <= total ? " (stand)" : ""; } But when I invoke the add() method on a StandHand object, it does not use the StandHand::update() method, rather it uses the base update() method. How can I make sure that the add() method, when used in a subclass of Hand, uses the update() function of that subclass? A: For starters in the code there is no overloaded functions. The declaration of update in the derived class hides the declaration of the function with the same name in the base class. As the member function add is declared in the base class then the name of the function update also is searched in the base class. Declare the function update as a virtual function. class Hand { public: // ... virtual void update(); }; class StandHand : public Hand { public: // /// void update() override; }; A: There are two issues in your code, first void update(); in the base class needs to be declared virtual, so that compiler will know that derived classes might override it and use it. virtual void update(); // add "=0;" if there is no base version of update() And in the derived class write void update() override; //override is unnecessary but recommended //it verifies that you do indeed overload a method from a base class Second problem, you cannot call methods from derived class in constructor of its base class. What happens is that calling virtual base method results in calling the base version instead of the derived version. Think of it: the derived object isn't constructed yet but you already call one of its methods? It doesn't make any sense.
{ "language": "en", "url": "https://stackoverflow.com/questions/57944354", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "5" }
Q: Google Foobar challenge "Find the access codes" SOLVED I was sorting the list when in reality the prompt was asking for the order in which the numbers were given. Not going to delete the post in case someone else makes the same mistake. I would like to preface this by saying that I have already read over other answers to this conundrum, but to no avail. I even tried copying the provided solutions, just to see if they actually worked, and they failed more test cases than the code I used. Original Prompt "Write a function answer(l) that takes a list of positive integers l and counts the number of "lucky triples" of (li, lj, lk) where the list indices meet the requirement i < j < k. The length of l is between 2 and 2000 inclusive. The elements of l are between 1 and 999999 inclusive. The answer fits within a signed 32-bit integer. Some of the lists are purposely generated without any access codes to throw off spies, so if no triples are found, return 0. A "lucky triple" is a tuple (x, y, z) where x divides y and y divides z, such as (1, 2, 4). For example, [1, 2, 3, 4, 5, 6] has the triples: [1, 2, 4], [1, 2, 6], [1, 3, 6], making the answer 3 total." At this point, I'm not even asking for a solution so I can pass to the next level, because I would feel that I am cheating at that point, however, I have no idea why I am failing test cases 3-5 (and obviously the test cases aren't publicly available, but I'm just asking if anyone can find flaws in my programming). Like I'm sure most people did, I began by creating a triple for-loop that iterated over every possible "triple," but seeing as it was O(n^3), it took too long. I am, however, using that as a "base solution" for my code to compare answers to more complicated cases. My code (in python) I apologize if the code is a bit messy, but I am new to python, and mainly did this challenge for the learning opportunity, and just to work my brain. The function takes a list, l, and then I sort it into descending order. I then create a list which I initialize all values to 0. For the first while-loop set, I am counting the amount of "doubles" where l[y] divides l[x] evenly, then count the amount of factors that l[x] has. I.e if there were a list [1,2,3,4] then this loop checks [3%2] , [3%1], [2%1]. The next while-loop set checks the first 2 numbers ([4%3] , [4%2] , [3%2]). Both of these loops are verified in my (local) code with print statements, and those are the operations occurring. If the mod in the second while set is true, then it increments the counter by the amount of factors that the 'Y' value had (in this case, only [4%2] is true and then it would go to the l_count list and increment the count variable by the value in the array that corresponds to 2. In this case, it is 1, because the only true case for the number "2" in the first while loop is [2%1]). I would have included comments in my code, but I did not think I would be having this issue in the first place. Anyway, any help would be greatly appreciated! Thanks l.sort() l = l[::-1] length = len(l) count = 0 l_count = [] for x in range(len(l)): l_count.append(0) x = 1 while x < (length - 1): y = x + 1 while y < length: if l[x] % l[y] == 0: l_count[x] = l_count[x] + 1 y = y + 1 x = x + 1 x = 0 while x < (length - 2): y = x + 1 while y < (length - 1): if l[x] % l[y] == 0: count = count + l_count[y] y = y + 1 x = x + 1 return count A: The first thing you do is already a mistake: Sorting. That'll make you report that [6, 5, 4, 3, 2, 1] has three such triples (same as the example) when in reality it doesn't have any. (Given that you pass two of five tests, I can imagine this is your only mistake. Maybe those tests are already sorted so you're not messing those up.)
{ "language": "en", "url": "https://stackoverflow.com/questions/48385793", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Difference between a data warehouse and a MOLAP server What is the difference between a data warehouse and a MOLAP server? Is the data stored at both the data warehouse and on the MOLAP server? When you pose a query, do you send it to the data warehouse or the MOLAP server? With ROLAP, it kind of makes sense that the ROLAP server pose SQL queries to the data warehouse (which store fact and dimension tables), and then do the analysis. However, I have read somewhere that ROLAP gathers its data directly from the operational database (OLTP), but then, where/when is the data warehouse used? A: The 'MOLAP' flavour of OLAP (as distinguished from 'ROLAP') is a data store in its own right, separate from the Data Warehouse. Usually, the MOLAP server gets its data from the Data Warehouse on a regular basis. So the data does indeed reside in both. The difference is that a MOLAP server is a specific kind of database (cube) that precalculates totals at levels in hierarchies, and furthermore structures the data to be even easier for users to query and navigate than a data warehouse (with the right tools at their disposal). Although a data warehouse may be dimensionally modelled, it is still often stored in a relational data model in an RDBMS. Hence MOLAP cubes (or other modern alternatives) provide both performance gains and a 'semantic layer' that makes it easier to understand data stored in a data warehouse. The user can then query the MOLAP server rather than the Data Warehouse. That doesn't stop users querying the Data Warehouse directly, if that's what your solution needs. You're right that when the user queries a ROLAP server, it passes on the queries to the underlying database, which may be an OLTP system, but is more often going to be a data warehouse, because those are designed for reporting and query performance and understandability in mind. ROLAP therefore provides the user-friendly 'semantic layer' but relies on the performance of the data warehouse for speed of queries.
{ "language": "en", "url": "https://stackoverflow.com/questions/47681299", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: ConcatRelated function and the fifth argument I'm trying to achieve the following: If you have: ItemNo DocumentNo Quantity AB1 WS1 10 AB1 WS2 10 I want: ItemNo DocumentNo Quantity AB1 WS1 | WS2 10 I'm not quite understanding how to use the fifth argument. I continue to get errors, stating that "|" is not valid. Here's the code. SELECT DISTINCT Query3.ItemNo, ConcatRelated("Query3.DocumentNo", "Query3", "Query3.ItemNo = " & [Query3.ItemNo] & " | " ) FROM Query3; Here's the website: http://allenbrowne.com/func-concat.html A: I can't tell, but my DJoin function found here and this query: SELECT ItemNo, DJoin("[DocumentNo]","[Query3]","[ItemNo] = '" & [ItemNo] & "'"," | ") AS DocumentNos, Quantity FROM Query3 GROUP BY ItemNo, Quantity HAVING Count(*) >=2; will provide this output:
{ "language": "en", "url": "https://stackoverflow.com/questions/58714837", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Assigning to slices of 2D NumPy array I want to assign 0 to different length slices of a 2d array. Example: import numpy as np arr = np.array([[1,2,3,4], [1,2,3,4], [1,2,3,4], [1,2,3,4]]) idxs = np.array([0,1,2,0]) Given the above array arr and indices idxs how can you assign to different length slices. Such that the result is: arr = np.array([[0,2,3,4], [0,0,3,4], [0,0,0,4], [0,2,3,4]]) These don't work slices = np.array([np.arange(i) for i in idxs]) arr[slices] = 0 arr[:, :idxs] = 0 A: You can use broadcasted comparison to generate a mask, and index into arr accordingly: arr[np.arange(arr.shape[1]) <= idxs[:, None]] = 0 print(arr) array([[0, 2, 3, 4], [0, 0, 3, 4], [0, 0, 0, 4], [0, 2, 3, 4]]) A: This does the trick: import numpy as np arr = np.array([[1,2,3,4], [1,2,3,4], [1,2,3,4], [1,2,3,4]]) idxs = [0,1,2,0] for i,j in zip(range(arr.shape[0]),idxs): arr[i,:j+1]=0 A: Here is a sparse solution that may be useful in cases where only a small fraction of places should be zeroed out: >>> idx = idxs+1 >>> I = idx.cumsum() >>> cidx = np.ones((I[-1],), int) >>> cidx[0] = 0 >>> cidx[I[:-1]]-=idx[:-1] >>> cidx=np.cumsum(cidx) >>> ridx = np.repeat(np.arange(idx.size), idx) >>> arr[ridx, cidx]=0 >>> arr array([[0, 2, 3, 4], [0, 0, 3, 4], [0, 0, 0, 4], [0, 2, 3, 4]]) Explanation: We need to construct the coordinates of the positions we want to put zeros in. The row indices are easy: we just need to go from 0 to 3 repeating each number to fill the corresponding slice. The column indices start at zero and most of the time are incremented by 1. So to construct them we use cumsum on mostly ones. Only at the start of each new row we have to reset. We do that by subtracting the length of the corresponding slice such as to cancel the ones we have summed in that row. A: import numpy as np arr = np.array([[1, 2, 3, 4], [1, 2, 3, 4], [1, 2, 3, 4], [1, 2, 3, 4]]) idxs = np.array([0, 1, 2, 0]) for i, idx in enumerate(idxs): arr[i,:idx+1] = 0
{ "language": "en", "url": "https://stackoverflow.com/questions/48876162", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: alternatives for website accesibility testing Any suggestions for free tools to test website accessibility (508+). We used to use http://wsspg.dequecloud.com/worldspace/wsservice/eval/checkCompliance.jsp for this purpose and this site is no longer available. A: Try Google Accessibility Developer Tools Extension for Chrome. It runs an accessibility audit on individual pages, making assertions based on WCAG 2.0. If you have a Rails project, you can run the assertions from the Google Extension as part of an Rspec integration test suite using capybara-accessible, a rubygem that defines a Selenium based webdriver for Capybara and makes accessibility assertions on page loads. That way you can automate testing across your site and also get failures in CI. A: Try Wave, which is free to use. But not sure if it has full functionality. Check it out yourself and let me know if its the right one for you. A: As Felipe said, no automated testing should be relied upon. Specifically if you need to test for Section 508, it states that you have to test with AT. WAVE and Deque WorldSpace does not satisfy this requirement. WAVE is a fine tool to catch low hanging fruit. Maybe the Google Plug-in does as well, but would not rely upon it due to how Chrome handles and reports things to MSAA and other APIs. I have heard numbers thrown around how well automated testers are. Personally, I set them around the 50% mark, particially due to the "full functionality" aspect that Felipe mentions in Mohammad's answer. In terms of Section 508, this phrase is called "equivalent facilitation", which is covered in 1194.31, which no automated tester can cover. Subpart 1194.31 is the functional standards, which apply to all activities if Section 508 is applicable. The same goes with 1194.41. FelipeAls said: [Section 508] outdated and W3C/WAI WCAG 2.0 is a way better resource for improving accessibility nowadays (but of course if you must be compliant with 508, then also test for 508) While I will say Section 508 is rough around the edges, I wouldn't say it is useless as some market it as. In my experience people pushing this, have limited experience actually dealing with Section 508, or they work behind a product that does testing. Their biggest arguement is usually "heh look, if Section 508 is so good, why doesn't it require headings (<h1>)?" Well, Section 508 was derived from WCAG 1.0, which didn't have it either, so that argument is weak in my opinion. Also, remember how I said people don't realise that 1194.31 is applicable? Let's look at 1194.31(a): (a) At least one mode of operation and information retrieval that does not require user vision shall be provided, or support for assistive technology used by people who are blind or visually impaired shall be provided. You can read that as: code a page so that AT can find specific parts of/on a page. What's a good way to allow people to jump around? Headings, and now WAI-ARIA Landmarks. Section 508 is also being worked on to adopt WCAG 2.0.
{ "language": "en", "url": "https://stackoverflow.com/questions/17558494", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: Wrap wkhtmltoimage to xvfb-run How can I use wkhtmltoimage to run by default with xvfb? /usr/bin/xvfb-run --server-args="-screen 0, 1024x1024x24" I've to create bash file like this wkhtmltoimage /usr/bin/xvfb-run --server-args="-screen 0, 1024x1024x24" /usr/local/bin/wkhtmltoimage-64 $* But in this case, other programs (gem imgkit) do not work correctly with wkhtmltoimage. It put addition debug info to the file. A: You can create a wrapper script as I done that: wkhtmltoimage: xvfb-run --server-args="-screen 0, 1024x680x24" wkhtmltoimage.bin -q --use-xserver $* where wkhtmltoimage.bin is original binary.
{ "language": "en", "url": "https://stackoverflow.com/questions/14745711", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How do I stop sound on mouseout when hovering over an image? <head> var Start = new Audio("MySound.mp3"); </head> <body> <div> <img src="MyPicture.png" width="400" height="300" onmouseover="Start.play();" onmouseout="Start.pause;"></img> </div> </body> When hovering over the image the sound plays correctly but when I mouseout the sound continues playing? Not too sure why that is. A: Change from onmouseout="Start.pause;"> to onmouseout="Start.pause();">. You missed the parenthesis in the pause function
{ "language": "en", "url": "https://stackoverflow.com/questions/74141886", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Persisting data on disk using Hazelcast I have installed HazelCast 2.5. I want to persist my records into disk. I learned that MapStore does this job. However i'm not sure how to implement MapStore. Code I've written so far: public class MyMaps implements MapStore<String,String> { public static Map<Integer, String> mapCustomers = Hazelcast.getMap("customers"); public static void main(String[] args) { { mapCustomers.put(1, "Ram"); mapCustomers.put(2, "David"); mapCustomers.put(3, "Arun"); } } } How do i put all these entries into disk. Is it necessary to have a back-end like MySQL or PostgreSQL to use this class? I believe the following function can be used: public void delete(String arg0); public void deleteAll(String arg0); public void store(String arg0); public void storeAll(String arg0); I need a sample snippet of how to implement MapStore. Please provide me with sample code. A: Yes, you can use MapStore and MapLoader to persist file to local storage. Read official documentation here. https://docs.hazelcast.org/docs/latest/manual/html-single/#loading-and-storing-persistent-data A: Hazelcast has two types of distributed objects in terms of their partitioning strategies: * *Data structures where each partition stores a part of the instance, namely partitioned data structures. *Data structures where a single partition stores the whole instance, namely non-partitioned data structures. Partitioned Hazelcast data structures persistence data to local file system is not supported,need a centralized system that is accessible from all hazelcast members,like mysql or mongodb. You can get code from hazelcast-code-samples.
{ "language": "en", "url": "https://stackoverflow.com/questions/15132946", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "12" }
Q: In C#, Loading large file into winform richtextbox I need to load a - 10MB range text file into a Winform RichTextBox, but my current code is freezing up the UI. I tried making a background worker do the loading, but that doesnt seem to work too well either. Here's my several loading code which I was tried. Is there any way to improve its performance? Thanks. private BackgroundWorker bw1; private string[] lines; Action showMethod; private void button1_Click(object sender, EventArgs e) { bw1 = new BackgroundWorker(); bw1.DoWork += new DoWorkEventHandler(bw_DoWork); bw1.RunWorkerCompleted += bw_RunWorkerCompleted; string path = @"F:\DXHyperlink\Book.txt"; if (File.Exists(path)) { string readText = File.ReadAllText(path); lines = readText.Split(new string[] { Environment.NewLine }, StringSplitOptions.RemoveEmptyEntries); bw1.RunWorkerAsync(); } } private void bw_DoWork(object sender, DoWorkEventArgs e) { Invoke((ThreadStart)delegate() { for (int i = 0; i < lines.Length; i++) { richEditControl1.Text += lines[i] + "\n"; } }); } I Also Try: Action showMethod = delegate() { for (int i = 0; i < lines.Length; i++) { richEditControl1.Text += lines[i] + "\n"; } }; A: It's about how you're invoking the UI update, check the AppendText bellow. private BackgroundWorker bw1; private void button1_Click(object sender, EventArgs e) { bw1 = new BackgroundWorker(); bw1.DoWork += new DoWorkEventHandler(bw_DoWork); bw1.RunWorkerCompleted += bw_RunWorkerCompleted; bw1.RunWorkerAsync(); } private void bw_DoWork(object sender, DoWorkEventArgs e) { string path = @"F:\DXHyperlink\Book.txt"; if (File.Exists(path)) { string readText = File.ReadAllText(path); foreach (string line in readText.Split(new string[] { Environment.NewLine }, StringSplitOptions.RemoveEmptyEntries)) { AppendText(line); Thread.Sleep(500); } } } private void AppendText(string line) { if (richTextBox1.InvokeRequired) { richTextBox1.Invoke((ThreadStart)(() => AppendText(line))); } else { richTextBox1.AppendText(line + Environment.NewLine); } } In addition to that reading the whole file text is very inefficient. I would rather read chunk by chunk and update the UI. i.e. private void bw_DoWork(object sender, DoWorkEventArgs e) { string path = @"F:\DXHyperlink\Book.txt"; const int chunkSize = 1024; using (var file = File.OpenRead(path)) { var buffer = new byte[chunkSize]; while ((file.Read(buffer, 0, buffer.Length)) > 0) { string stringData = System.Text.Encoding.UTF8.GetString(buffer); AppendText(string.Join(Environment.NewLine, stringData.Split(new[] { Environment.NewLine }, StringSplitOptions.RemoveEmptyEntries))); } } } A: You don't want to concatenate strings in a loop. A System.String object is immutable. When two strings are concatenated, a new String object is created. Iterative string concatenation creates multiple strings that are un-referenced and must be garbage collected. For better performance, use the System.Text.StringBuilder class. The following code is very inefficient: for (int i = 0; i < lines.Length; i++) { richEditControl1.Text += lines[i] + "\n"; } Try instead: private void bw_DoWork(object sender, DoWorkEventArgs e) { // Cpu intensive work happens in the background thread. var lines = string.Join("\r\n", lines); // The following code is invoked in the UI thread and it only assigns the result. // So that the UI is not blocked for long. Invoke((ThreadStart)delegate() { richEditControl1.Text = lines; }); } A: why do you want to split lines and join them again? strings are immutable witch means cant be changed. So every time you do Text+= "..." it has to create new string and put it in Text. So for 10 mb string its not ideal way and it may take Centuries To complete such task for Huge strings. You can see What is the difference between a mutable and immutable string in C#? If you really want to split Them and Join them again. then StringBuilder is the right option for you. StringBuilder strb = new StringBuilder(); for (int i = 0; i < lines.Length; i++) { strb.Append(lines[i] + "\n"); } richEditControl1.Text = strb.ToString(); You can see String vs. StringBuilder Structure of StringBuilder is List of characters. Also StringBuilder is Muttable. means can be changed. Inside Loop you can do any extra task with string and Add the final result to the StringBuilder. Finally after the loop Your StringBuilder is Ready. You have to convert it to string and Put it in Text. A: It took me a while to nail this one.. Test one & two: First I created some clean data: string l10 = " 123456789"; string l100 = l10 + l10 + l10 + l10 + l10 + l10 + l10 + l10 +l10 + l10; string big = ""; StringBuilder sb = new StringBuilder(10001000); for (int i = 1; i <= 100000; i++) // this takes 3 seconds to load sb.AppendLine(i.ToString("Line 000,000,000 ") + l100 + " www-stackexchange-com "); // this takes 45 seconds to load !! //sb.AppendLine(i.ToString("Line 000,000,000 ") + l100 + " www.stackexchange.com "); big = sb.ToString(); Console.WriteLine("\r\nStringLength: " + big.Length.ToString("###,###,##0") + " "); richTextBox1.WordWrap = false; richTextBox1.Font = new System.Drawing.Font("Consolas", 8f); richTextBox1.AppendText(big); Console.WriteLine(richTextBox1.Text.Length.ToString("###,###,##0") + " chars in RTB"); Console.WriteLine(richTextBox1.Lines.Length.ToString("###,###,##0") + " lines in RTB "); Displaying 100k lines totalling in around 14MB takes either 2-3 seconds or 45-50 secods. Cranking the line count up to 500k lines brings up the normal text load time to around 15-20 seconds and the version that includes a (valid) link at the end of each line to several minutes. When I go to 1M lines the loading crashes VS. Conclusions: * *It takes a 10+ times longer to load a text with links in it and during that time the UI is freezing. *Loading 10-15MB of textual data is no real problem as such. Test three: string bigFile = File.ReadAllText("D:\\AllDVDFiles.txt"); richTextBox1.AppendText(bigFile); (This was actually the start of my investigation..) This tries to load a 8 MB large file, containing directory and file info from a large number of data DVDs. And: It freezes, too. As we have seen the file size is not the reson. Nor are there any links embedded. From the first looks of it the reason are funny characters in some of the filenames.. After saving the file to UTF8 and changing the read command to..: string bigFile = File.ReadAllText("D:\\AllDVDFiles.txt", Encoding.UTF8); ..the file loads just fine in 1-2 seconds, as expected.. Final conclusions: * *You need to watch out for wrong encoding as those characters can freeze the RTB during loading. *And, when you add links you must expect for the loading to take a a lot (10-20x) longer than the pure text. I have tried to trick the RTB by preparing a Rtf string but it didn't help. Seems that analyzing and storing all those links will always take such a long time. So: If you really need a link on every line, do partition the data into smaller parts and give the user an interface to scroll & search through those parts. Of course appending all those lines one by one will always be way too slow, but this has been mentionend in the comments and other answers already.
{ "language": "en", "url": "https://stackoverflow.com/questions/31214687", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "4" }
Q: Custom contour plot in MATLAB I want to create a contour plot in MATLAB, as in the second example on this page: ContourPlot[Cos[x] + Cos[y] == 1/2, {x, 0, 4 Pi}, {y, 0, 4 Pi}] As you can see, they are plotting only the lines for which f(X, Y) == some_value. Another issue I have is that I do not really have the function f, but only a collection of points of type [x, y, z] (read from a file), and some_value of course. Is it possible to do such a plot in MATLAB? A: Simply use the contour function with a 2nd argument of desired values (it is a vector of 2 elements instead of a scalar, to distinguish the function call from another mode): some_value = .5; [x y] = meshgrid(linspace(0,4*pi,30),linspace(0,4*pi,30)); z = cos(x)+cos(y); contour(x, y, z, [some_value, some_value]) A: It helped me. contourf(aX, aY, NM(:, :, k+1), 'ShowText','on', 'LevelStep', 0.4);
{ "language": "en", "url": "https://stackoverflow.com/questions/9907415", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Stripping text from one point to another in python I have a file textfile.txt: [X:Y:Z] How would I strip "X:" and ":Z" so that I am left with "Y"? A: Using str.strip and str.split: >>> '[X:Y:Z]'.strip('[]') 'X:Y:Z' >>> '[X:Y:Z]'.strip('[]').split(':') ['X', 'Y', 'Z'] >>> '[X:Y:Z]'.strip('[]').split(':')[1] 'Y' UPDATE As Blender commented, stripping the brackets off is not necessary. >>> '[X:Y:Z]'.split(':') ['[X', 'Y', 'Z]'] >>> '[X:Y:Z]'.split(':')[1] 'Y' A: Y = "[X:Y:Z]".split(':')[1] That's a quick one liner for it. A: There are dozens of ways you could achieve this for the single example you've posted, e.g.: full_string = '[X:Y:Z]' first, middle, last = full_string.split(':') print(middle) Out[5]: 'Y' To narrow down what will or won't work, you may have to post some more examples that make clearer how your data format looks, and what pieces of information you need to extract from it.
{ "language": "en", "url": "https://stackoverflow.com/questions/20895958", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Two arrays defining 2D coordinates, as array indices I have a 2D array, call it A. I have two other 2D arrays, call them ix and iy. I would like to create an output array whose elements are the elements of A at the index pairs provided by ix and iy. I can do this with a loop as follows: for i=1:nx for j=1:ny output(i,j) = A(ix(i,j),iy(i,j)); end end How can I do this without the loop? If I do output = A(ix,iy), I get the value of A over the whole range of (ix)X(iy). A: This is the one-line method which is not very efficient for large matrices reshape(diag(A(ix(:),iy(:))),[ny nx]) A clearer and more efficient method would be to use sub2ind. I've incorporated yuk's comment for situations (like yours) when ix and iy have the same number of elements: newA = A(sub2ind(size(A),ix,iy)); Also, don't confuse x and y for i and j in notation - j and x generally represent columns and i and y represent rows. A: A faster way is to use linear indexing directly without calling SUB2IND: output = A( size(A,1)*(iy-1) + ix ) ... think of the matrix A as a 1D array (column-wise order)
{ "language": "en", "url": "https://stackoverflow.com/questions/2435018", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "7" }
Q: ClassCastException when try to use loaded class Java Version: 6 I have build an aotuloader which loads Classes out of a JAR and instances them. SO i get an ArrayList of all Instances which match to the specific path and Abstract Class. package com.geNAZt.RegionShop.Util; import com.geNAZt.RegionShop.RegionShopPlugin; import java.io.IOException; import java.lang.reflect.Constructor; import java.lang.reflect.InvocationTargetException; import java.net.URL; import java.net.URLClassLoader; import java.util.ArrayList; import java.util.Enumeration; import java.util.jar.JarEntry; import java.util.jar.JarFile; public class Loader { public static <T> ArrayList<T> loadFromJAR(RegionShopPlugin plugin, String path, Class interf) { ArrayList<T> returnObjects = new ArrayList<T>(); try { String pathToJar = Loader.class.getProtectionDomain().getCodeSource().getLocation().getPath(); JarFile jarFile = new JarFile(pathToJar); Enumeration e = jarFile.entries(); URL[] urls = { new URL("jar:file:" + pathToJar +"!/") }; ClassLoader cl = URLClassLoader.newInstance(urls); while (e.hasMoreElements()) { JarEntry je = (JarEntry) e.nextElement(); if(je.isDirectory() || !je.getName().endsWith(".class") || !je.getName().substring(0,je.getName().length()-6).replace("/", ".").contains(path +".")){ continue; } try { String className = je.getName().substring(0,je.getName().length()-6); className = className.replace('/', '.'); Class<?> c = cl.loadClass(className); if(!c.getSuperclass().getName().equals(interf.getName())) { continue; } Constructor[] cons = c.getDeclaredConstructors(); for(Constructor con : cons) { try { returnObjects.add((T)con.newInstance(plugin)); break; } catch (InvocationTargetException e1) { e1.printStackTrace(); continue; } catch (InstantiationException e1) { e1.printStackTrace(); continue; } catch (IllegalAccessException e1) { e1.printStackTrace(); continue; } catch (IllegalArgumentException e1) { e1.printStackTrace(); continue; } } } catch(ClassNotFoundException er) { er.printStackTrace(); continue; } } } catch(IOException e) { e.printStackTrace(); return null; } return returnObjects; } } It works fine an i get the right Objects with: private ArrayList<ShopCommand> loadedCommands = new ArrayList<ShopCommand>(); loadedCommands = loadFromJAR(pl, "com.geNAZt.RegionShop.Command.Shop", ShopCommand.class); If i make a log all Objects seem to be fine: 12:24:40 [INFO] [RegionShop] Loaded ShopCommands: [com.geNAZt.RegionShop.Command.Shop.ShopAdd@3b39c41d, com.geNAZt.RegionShop.Command.Shop.ShopBuy@4d7a6a4b, com.geNAZt.RegionS hop.Command.Shop.ShopDetail@1fd889aa, com.geNAZt.RegionShop.Command.Shop.ShopEquip@4136083b, com.geNAZt.RegionShop.Command.Shop.ShopList@42567aef, com.geNAZt.RegionShop.Comman d.Shop.ShopName@3ba102ef] But then i want to use them. In case to use them i wanted to cast them into the ShopCommand Class. But then i get this error: 12:24:40 [SCHWERWIEGEND] Error occurred while enabling RegionShop v1.1.0b3 (Is it up to date?) java.lang.ClassCastException: com.geNAZt.RegionShop.Command.Shop.ShopAdd cannot be cast to com.geNAZt.RegionShop.Command.ShopCommand at com.geNAZt.RegionShop.Command.ShopExecutor.(ShopExecutor.java:40) at com.geNAZt.RegionShop.RegionShopPlugin.onEnable(RegionShopPlugin.java:80) at org.bukkit.plugin.java.JavaPlugin.setEnabled(JavaPlugin.java:217) at org.bukkit.plugin.java.JavaPluginLoader.enablePlugin(JavaPluginLoader.java:457) at org.bukkit.plugin.SimplePluginManager.enablePlugin(SimplePluginManager.java:383) at org.bukkit.craftbukkit.v1_5_R3.CraftServer.loadPlugin(CraftServer.java:305) at org.bukkit.craftbukkit.v1_5_R3.CraftServer.enablePlugins(CraftServer.java:287) at net.minecraft.server.v1_5_R3.MinecraftServer.j(MinecraftServer.java:310) at net.minecraft.server.v1_5_R3.MinecraftServer.e(MinecraftServer.java:289) at net.minecraft.server.v1_5_R3.MinecraftServer.a(MinecraftServer.java:249) at net.minecraft.server.v1_5_R3.DedicatedServer.init(DedicatedServer.java:152) at net.minecraft.server.v1_5_R3.MinecraftServer.run(MinecraftServer.java:388) at net.minecraft.server.v1_5_R3.ThreadServerApplication.run(SourceFile:573) Is it possible to cast the Objects into the abstract class so i get the api from the Class ? Or is there another way to get the API from the Class ? A: This exception is the result of class identity crisis . You cannot cast between class loaders. As mentioned this site: Other types of confusion are also possible when using multiple class loaders. Figure 2 shows an example of a class identity crisis that results when an interface and associated implementation are each loaded by two separate class loaders. Even though the names and binary implementations of the interfaces and classes are the same, an instance of the class from one loader cannot be recognized as implementing the interface from the other loader. EDIT Although the solution is found out by the OP but I would like to give my two cents. The confusion which is leading to the nonrecognition of instance of the class from other ClassLoader could easily be resolved if that class is moved into the System class loader's space. And making System Class Loader to be the parent of newly created ClassLoaders. This would cause the different ClassLoaders to share the same class. This could be achieved by URLClassLoader(URL[] urls,ClassLoader parent) in following way: URL[] urls = { new URL("jar:file:" + pathToJar +"!/") }; ClassLoader cl = new URLClassLoader(urls,ClassLoader.getSystemClassLoader());
{ "language": "en", "url": "https://stackoverflow.com/questions/17132365", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Converting floats to and displaying Binary Numbers in C So I'm just diving into C during my first few days of classes. My professor proposed a question/ more of a challenge for us so I thought I'd propose it here. float x,y,z; x = 0.0; y = 1.0; z = -2.5; He wanted us to display these numbers in binary and hexadecimal without using %x etc. He also hinted to use a union: union U { float y; unsigned z; }; Thank you for your time in advance. I'm just looking for help/ an explanation on how to develop such conversion. A: The correct way, not violating the strict aliasing rule would be to alias the float with a char array, which is allowed by the C standard. union U { float y; char c[sizeof (float)]; }; This way you will be able to access the individual float y; bytes using the c array, and convert them into binary/hex using the very simple algorithm that can be easily found around (I will leave it up to you, as it is your assignment).
{ "language": "en", "url": "https://stackoverflow.com/questions/39393361", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: Qt: How to know when a QMdiSubWindow is closed? Is there any way I can get notified when a user closes a QMdiSubWindow? I cannot find any signal in QMdiArea nor in QMdiSubWindow that suggests I can. I think my only chance is by subclassing QMdiSubWindow and overriding the close event, but is there any other way? A: Yes, there is another way : you can install an event-filter on the QMdiSubWindow you create : MdiSubWindowEventFilter * p_mdiSubWindowEventFilter; ... QMdiSubWindow * subWindow = mdiArea->addSubWindow(pEmbeddedWidget); subWindow->installEventFilter(p_mdiSubWindowEventFilter); subWindow->setAttribute(Qt::WA_DeleteOnClose, true); // not mandatory, depends if you manage subWindows lifetime with bool MdiSubWindowEventFilter::eventFilter(QObject * obj, QEvent * e) { switch (e->type()) { case QEvent::Close: { QMdiSubWindow * subWindow = dynamic_cast<QMdiSubWindow*>(obj); Q_ASSERT (subWindow != NULL); // // do what you want here // break; } default: qt_noop(); } return QObject::eventFilter(obj, e); } A: I had the same trouble, but in my case the task was more specific: "How to hide a subwindow when I press the close button instead of closing". So I solved this with the following: subwindow->setAttribute(Qt::WA_DeleteOnClose, false); Perhaps it's not a relevant answer but it may be useful for someone. A: I don't think there is any other way than as you describe (overriding the close event) to do precisely what you're asking. There might be other ways of achieving what you want without doing that depending on why you want to know when its closed. Other options could be the use of the destroyed signal, checking QApplication::focusWidget(), or perhaps having the parent inspect its children. Edit in response to comment: Signals and slots are disconnected automatically upon destruction of QObjects, and I would suggest looking at using QSharedPointers or QScopedPointers to handle your QObjects' lifespans instead. By applying these techniques, you shouldn't need a signal from a closed window. A: Here is what I ended coding. #ifndef __MYSUBWINDOW_H #define __MYSUBWINDOW_H #include <QMdiSubWindow> #include <QCloseEvent> #include <QDebug> class MyQMdiSubWindow : public QMdiSubWindow { Q_OBJECT signals: void closed( const QString ); protected: void closeEvent( QCloseEvent * closeEvent ) { emit closed( this->objectName() ); closeEvent->accept(); } }; #endif Note that for my problem I need a way to identify which subwindow user is closing, and objectName does the work for me. A: You can create QWidget based class like: class CloseWatcher : public QWidget { Q_OBJECT private: QString m_name; signals: void disposing( QString name ); public CloseWatcher( QWidget * p ) : QWidget( p ) , m_name( p->objectName() ) {} ~CloseWatcher() { emit disposing( m_name ); } }; and just use it: // anywhere in code QMdiSubWindow * wnd = getSomeWnd(); CloseWatcher * watcher = new CloseWatcher( wnd ); connect( watcher, SIGNAL( disposing( QString ) ), reveiver, SLOT( onDispose( QString ) ) );
{ "language": "en", "url": "https://stackoverflow.com/questions/8818297", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "6" }
Q: Unexpected parameter: id While writing the Python code for Twitter extraction in Jupyter notebook I am getting the error as Unexpected parameter: id. Can anyone please help me with it? A: You need to provide the relevant code and/or full traceback for anyone to know what exactly is going on, but that's likely just a warning that you're passing an id parameter to an API method that doesn't expect it. Tweepy v4.0.0 changed many API methods to no longer accept id parameters. A: You need to use screen_name instead of id parameter.
{ "language": "en", "url": "https://stackoverflow.com/questions/69565273", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-2" }
Q: Chef Configuration setting I am trying to configure for copying files through chef.However,we have a requirement to push configuration only for couple of servers. Is there any parameter or setting for that ? Elaborated a little more ..... Our standard deployment through Chef requires that the latest build be deployed to all servers. However, individual developers also submit experimental builds that are deployed to 1-2 servers per developer only as opposed to the entire stack. Our objectives are as follows: 1. Be able to deploy experimental builds through Chef to a specified set of servers. 2. Prevent experimental builds from being deployed to the servers that already host experimental builds – perhaps have the Chef server mark those servers as unavailable somehow(?) 3. Be able to deploy full builds to either all servers or only those servers that are not used for experimental builds at the moment. I’m sure it’s a fairly common scenario and would like to know if there is an elegant/effective/dynamic way to keep Chef server informed of where each build/experiment should be deployed to. A: If you use a cloud provider, the answer is to use Packer to create an image for each build, and then deploy images as needed. If you use bare metal, then you can easily use either normal attributes or roles to setup the versions. I'd suggest attributes. * *Set node['myapp']['test_version'] = 'some version' on the nodes to be updated *In your recipe, check the value of that attribute. If set, then install that version, otherwise install your master version. To remove a node from the experiment, you can just reset that attribute to nil on the node. The next chef run will result in that node going back to the master version. If you want a way to install the master version on ALL nodes, including ones that are in experiments, you can either write a second recipe that ignores the setting, or you can add an override attribute like node['myapp']['force_master'] or such. You could then set that on the environment to override the experiments. But you'd need to remember to reset it at a later time.
{ "language": "en", "url": "https://stackoverflow.com/questions/30381170", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: ModelForm and Model validation playing together I have the following Model : class Advertisement(models.Model): slug = models.UUIDField(default=uuid4, blank=True, editable=False) advertiser = models.ForeignKey(Advertiser) position = models.SmallIntegerField(choices=POSITION_CHOICES) share_type = models.CharField(max_length=80) country = CountryField(countries=MyCountries, default='DE') postal_code = models.CharField(max_length=8, null=True, blank=True) date_from = models.DateField() date_to = models.DateField() Based on Advertiser, position, type country and postal code this stores adverisements with range date_from and date_to. advertiser, position, share_type, country and postal_code are coming from the request and are fetched in class CreateAdvertisment(LoginRequiredMixin, CreateView): # Some usefull stuff def dispatch(self, request, *args, **kwargs): self.advertiser = Advertiser.objects.get(user=self.request.user) self.share_type = self.kwargs.get('share_type', None) self.country = self.kwargs.get('country', None) self.postal_code = self.kwargs.get('postal_code', None) self.position = int(self.kwargs.get('position', None)) self.position_verbose = verbose_position(self.position) ret = super(CreateAdvertisment, self).dispatch(request, *args, **kwargs) return ret Without any validation for checking date_from, date_to. I can simply do def form_valid(self, form): form.instance.advertiser = self.advertiser form.instance.share_type = self.share_type form.instance.country = self.country form.instance.postal_code = self.postal_code form.instance.position = self.position ret = super(CreateAdvertisment, self).form_valid(form) return ret and I am done. Unfortunatly I cannot do this as I do have to check for valid time Frames for the Advertisment to avoid Double Bookings of the same time. I do this in the model with the following : def clean(self): ret = super(Advertisement, self).clean() print ("country [%s] position [%s] share_type [%s] postal_code [%s]" % (self.country, self.position, self.share_type, self.postal_code)) if self.between_conflict(): raise ValidationError("Blocks between timeframe") elif self.end_conflict(): raise ValidationError("End occupied") elif self.during_conflict(): raise ValidationError("Time Frame complete occupied") elif self.start_conflict(): raise ValidationError("Start Occupied") return ret def start_conflict(self): start_conflict = Advertisement.objects.filter(country=self.country, position=self.position, share_type=self.share_type, postal_code=self.postal_code).filter( date_from__range=(self.date_from, self.date_to)) return start_conflict This works well and I filter out any Conflict for the given period. Problem is that I do not have the instance variables as they are set in view.form_valid() and model.clean() is called by the form validation process. I do have an chicken egg problem here. I am thinking about setting the requests parameters to the form kwargs in def get_form_kwargs(self, **kwargs): kwargs = super(CreateAdvertisment, self).get_form_kwargs() kwargs['advertiser'] = self.advertiser kwargs['position'] = self.position .... and then putting them into the form instance in form.init() def __init__(self, *args, **kwargs): advertiser = kwargs.pop('advertiser') position = kwargs.pop('position') # .. and so on super(AdvertismentCreateForm, self).__init__(*args, **kwargs) For some reasons I do not think this is very pythonic. Does anybody have a better idea? I will post my solution. A: I think that overriding get_form_kwargs is ok. If all the kwargs are instance attributes, then I would update the instance in the get_form_kwargs method. Then you shouldn't have to override the form's __init__, or update the instance's attributes in the form_valid method. def get_form_kwargs(self, **kwargs): kwargs = super(CreateAdvertisment, self).get_form_kwargs() if kwargs['instance'] is None: kwargs['instance'] = Advertisement() kwargs['instance'].advertiser = self.advertiser ... return kwargs In the model's clean method, you can now access self.advertiser. A: alasdairs proposal works fine I have the following now : def get_form_kwargs(self, **kwargs): kwargs = super(CreateAdvertisment, self).get_form_kwargs() if kwargs['instance'] is None: kwargs['instance'] = Advertisement() kwargs['instance'].advertiser = self.advertiser kwargs['instance'].share_type = self.share_type kwargs['instance'].country = self.country kwargs['instance'].postal_code = self.postal_code kwargs['instance'].position = self.position return kwargs def form_valid(self, form): ret = super(CreateAdvertisment, self).form_valid(form) return ret Of course there is no need to override form_valid anymore. I have just included here in order to display that we do not set the instance fields anymore as this is done in get_form_kwargs() already
{ "language": "en", "url": "https://stackoverflow.com/questions/43495526", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to check if items repeat in pandas column with multiple lists? I have this pandas df: Name 0 [MARCIO, HAMILTON, FERREIRA] 1 [NILSON, MARTINIANO, FERREIRA] 2 [WALTER, MALIENI, JUNIOR] 3 [CARLOS, ALBERTO, ARAUJO, NETTO] If one of the items appear in another list I want to tag it. In this case the output should be like this: Name Check 0 [MARCIO, HAMILTON, FERREIRA] True 1 [NILSON, MARTINIANO, FERREIRA] True 2 [WALTER, MALIENI, JUNIOR] False 3 [CARLOS, ALBERTO, ARAUJO, NETTO] False Is there a pythonic way to do that or I will need to apply a set of for sentences? (for i in object: for k in list...). Since my file is quite large I'm afraid it will be very heavy. A: We can do explode then do transform with nunqiue find the index duplicated with same value s=df.Name.explode().reset_index() v=(s.groupby('Name')['index'].transform('nunique')>1).groupby(s['index']).any() Out[465]: index 0 True 1 True 2 False 3 False Name: index, dtype: bool df['Check']=v A: Similar to Ben's answer but using duplicated instead of groupby().nunique(): s = series.explode().reset_index() df['Check'] = (s.drop_duplicates() .duplicated('Name', keep=False) .groupby(s['index']).any() ) Output: Name Check 0 [MARCIO, HAMILTON, FERREIRA] True 1 [NILSON, MARTINIANO, FERREIRA] True 2 [WALTER, MALIENI, JUNIOR] False 3 [CARLOS, ALBERTO, ARAUJO, NETTO] False
{ "language": "en", "url": "https://stackoverflow.com/questions/62051281", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "2" }
Q: how to reload the current page when twitter bootstrap modal's cancel button clicked? Is it possible to reload/refresh the current page when clicking on the twitter bootstarp modal popup window? A: Assuming you're using the standard Bootstrap modal markup, you could handle the modal 'hidden' event like this.. $('#myModal').on('hidden', function () { document.location.reload(); }) Demo: http://www.bootply.com/62174 A: For BS3 it Should be something like $('body').on('hidden.bs.modal', '.modal', function () { document.location.reload(); });
{ "language": "en", "url": "https://stackoverflow.com/questions/17389189", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "3" }
Q: How to logging all queries after execution in codeigniter? I have try to insert all codeigniter queries after execute the mysql query. Unable to insert all query anyone can help me resolve this issue A: Try this for logging specific query in log file: Create a logFile.log file then write your query in this file. $sql_query = "insert into tablename (column1, column2) values(value1, value2)"; file_put_contents('logFile.log', json_encode($sql_query , true), FILE_APPEND); Hope this will help you a bit. Or you can follow the duplication question here: logging all queries after execution in codeigniter
{ "language": "en", "url": "https://stackoverflow.com/questions/58724879", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: No JWT created from JSON Web Tokens using Spring Security I'm using spring security and JSON Web Tokens for email verification. I noticed that there is no JWT created when I register a new employee. I use email for login, not username. I don't know if that problem with the Userdetalis interface. when I'm trying to login into Postman, I get this error. My code : EmployeeController : @CrossOrigin(origins = {"http://localhost:3000"}) @Tag(name = "Employee", description = "Employee API") @RestController @RequestMapping(EmployeeController.BASE_URL) public class EmployeeController { public static final String BASE_URL = "/api/v1/employees"; private final EmployeeService employeeService; private final ConfirmationTokenService confirmationTokenService; @Autowired AuthenticationManager authenticationManager; @Autowired RoleRepository roleRepository; @Autowired PasswordEncoder encoder; @Autowired JwtUtils jwtUtils; public EmployeeController(EmployeeService employeeService, ConfirmationTokenService confirmationTokenService) { this.employeeService = employeeService; this.confirmationTokenService = confirmationTokenService; } @GetMapping @ResponseStatus(HttpStatus.OK) public EmployeeListDTO getEmployeeList() { return employeeService.getAllEmployees(); } @PostMapping("/signin") public ResponseEntity<?> authenticateUser(@Valid @RequestBody EmployeeDTO loginRequest) { System.out.println("Hei"); Authentication authentication = authenticationManager.authenticate( new UsernamePasswordAuthenticationToken(loginRequest.getEmail(), loginRequest.getPassword())); System.out.println("Hei2"); SecurityContextHolder.getContext().setAuthentication(authentication); String jwt = jwtUtils.generateJwtToken(authentication); System.out.println(jwt); UserDetailsImpl userDetails = (UserDetailsImpl) authentication.getPrincipal(); List<String> roles = userDetails.getAuthorities().stream() .map(item -> item.getAuthority()) .collect(Collectors.toList()); return ResponseEntity.ok(new JwtResponse(jwt, userDetails.getId(), userDetails.getEmail(), roles)); } @GetMapping({"/{id}"}) @ResponseStatus(HttpStatus.OK) public EmployeeDTO getEmployeeById(@PathVariable Long id) { return employeeService.getEmployeeById(id); } @PostMapping("/signup") @ResponseStatus(HttpStatus.CREATED) public EmployeeDTO createNewEmployee(@RequestBody EmployeeDTO employeeDTO) { return employeeService.createNewEmployee(employeeDTO); } @PutMapping({"/{id}"}) @ResponseStatus(HttpStatus.OK) public EmployeeDTO updateEmployee(@PathVariable Long id, @RequestBody EmployeeDTO employeeDTO){ return employeeService.saveEmployeeByDTO(id, employeeDTO); } @DeleteMapping({"/{id}"}) @ResponseStatus(HttpStatus.OK) public void deleteEmployee(@PathVariable Long id){ employeeService.deleteEmployeeDTO(id); } } > package com.tietoevry.bookorabackend.security.jwt; > > import com.tietoevry.bookorabackend.services.UserDetailsServiceImpl; > import org.slf4j.Logger; import org.slf4j.LoggerFactory; import > org.springframework.beans.factory.annotation.Autowired; import > org.springframework.security.authentication.UsernamePasswordAuthenticationToken; > import > org.springframework.security.core.context.SecurityContextHolder; > import org.springframework.security.core.userdetails.UserDetails; > import > org.springframework.security.web.authentication.WebAuthenticationDetailsSource; > import org.springframework.util.StringUtils; import > org.springframework.web.filter.OncePerRequestFilter; > > import javax.servlet.FilterChain; import > javax.servlet.ServletException; import > javax.servlet.http.HttpServletRequest; import > javax.servlet.http.HttpServletResponse; import java.io.IOException; > > > public class AuthTokenFilter extends OncePerRequestFilter { @Autowired private JwtUtils jwtUtils; @Autowired private UserDetailsServiceImpl userDetailsService; private static final Logger logger = LoggerFactory.getLogger(AuthTokenFilter.class); @Override protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain) throws ServletException, IOException { try { String jwt = parseJwt(request); if (jwt != null && jwtUtils.validateJwtToken(jwt)) { String username = jwtUtils.getUserNameFromJwtToken(jwt); UserDetails userDetails = userDetailsService.loadUserByUsername(username); UsernamePasswordAuthenticationToken authentication = new UsernamePasswordAuthenticationToken( userDetails, null, userDetails.getAuthorities()); authentication.setDetails(new WebAuthenticationDetailsSource().buildDetails(request)); SecurityContextHolder.getContext().setAuthentication(authentication); } else { System.out.println("No JWT yet"); } } catch (Exception e) { logger.error("Cannot set user authentication: {}", e); } filterChain.doFilter(request, response); } private String parseJwt(HttpServletRequest request) { String headerAuth = request.getHeader("Authorization"); if (StringUtils.hasText(headerAuth) && headerAuth.startsWith("Bearer")) { return headerAuth.substring(7, headerAuth.length()); } return null; } } import java.util.List; public class JwtResponse { private String token; private String type = "Bearer"; private Long id; private String email; private List<String> roles; public JwtResponse(String accessToken, Long id, String email, List<String> roles) { this.token = accessToken; this.id = id; this.email = email; this.roles = roles; } public String getAccessToken() { return token; } public void setAccessToken(String accessToken) { this.token = accessToken; } public String getTokenType() { return type; } public void setTokenType(String tokenType) { this.type = tokenType; } public Long getId() { return id; } public void setId(Long id) { this.id = id; } public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } public List<String> getRoles() { return roles; } } //generate Token @Component public class JwtUtils { private static final Logger logger = LoggerFactory.getLogger(JwtUtils.class); @Value("${bezkoder.app.jwtSecret}") private String jwtSecret; @Value("${bezkoder.app.jwtExpirationMs}") private int jwtExpirationMs; public String generateJwtToken(Authentication authentication) { UserDetailsImpl userPrincipal = (UserDetailsImpl) authentication.getPrincipal(); return Jwts.builder() .setSubject((userPrincipal.getEmail())) .setIssuedAt(new Date()) .setExpiration(new Date((new Date()).getTime() + jwtExpirationMs)) .signWith(SignatureAlgorithm.HS512, jwtSecret) .compact(); } public String getUserNameFromJwtToken(String token) { return Jwts.parser().setSigningKey(jwtSecret).parseClaimsJws(token).getBody().getSubject(); } public boolean validateJwtToken(String authToken) { try { Jwts.parser().setSigningKey(jwtSecret).parseClaimsJws(authToken); return true; } catch (SignatureException e) { logger.error("Invalid JWT signature: {}", e.getMessage()); } catch (MalformedJwtException e) { logger.error("Invalid JWT token: {}", e.getMessage()); } catch (ExpiredJwtException e) { logger.error("JWT token is expired: {}", e.getMessage()); } catch (UnsupportedJwtException e) { logger.error("JWT token is unsupported: {}", e.getMessage()); } catch (IllegalArgumentException e) { logger.error("JWT claims string is empty: {}", e.getMessage()); } return false; } } @Configuration @EnableWebSecurity @EnableGlobalMethodSecurity( // securedEnabled = true, // jsr250Enabled = true, prePostEnabled = true) public class WebSecurityConfig extends WebSecurityConfigurerAdapter { @Autowired UserDetailsServiceImpl userDetailsService; @Autowired private AuthEntryPointJwt unauthorizedHandler; @Bean public AuthTokenFilter authenticationJwtTokenFilter() { return new AuthTokenFilter(); } @Override public void configure(AuthenticationManagerBuilder authenticationManagerBuilder) throws Exception { authenticationManagerBuilder.userDetailsService(userDetailsService).passwordEncoder(passwordEncoder()); } @Bean @Override public AuthenticationManager authenticationManagerBean() throws Exception { return super.authenticationManagerBean(); } @Bean public PasswordEncoder passwordEncoder() { return new BCryptPasswordEncoder(); } @Override protected void configure(HttpSecurity http) throws Exception { http.authorizeRequests() .antMatchers("/").permitAll() .antMatchers("/h2-console/**").permitAll(); http.csrf().disable(); http.headers().frameOptions().disable(); http.cors().and().csrf().disable() .exceptionHandling().authenticationEntryPoint(unauthorizedHandler).and() .sessionManagement().sessionCreationPolicy(SessionCreationPolicy.STATELESS).and() .authorizeRequests().antMatchers("/api/v1/employees/**").permitAll() .antMatchers("/api/test/**").permitAll() .anyRequest().authenticated(); http.addFilterBefore(authenticationJwtTokenFilter(), UsernamePasswordAuthenticationFilter.class); } and in intellj I get :
{ "language": "en", "url": "https://stackoverflow.com/questions/64295612", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Loading array file with other numbering format I am trying to load a file in which the numbers are in the following form: 0.0000000D+00 -0.1145210D-16 0.1262408D-16 0.1000000D+00 -0.4697286D-06 0.1055963D-06 0.2000000D+00 -0.1877806D-05 0.4220493D-06 0.3000000D+00 -0.4220824D-05 0.9482985D-06 I am trying the numpy.loadtext function, but apparently it's not in its recognized numbering format as I'm getting the following error: ValueError: could not convert string to float: b'0.0000000D+00' Any idea? Thanks A: You can use a converter with numpy.loadtxt that converts the value to a parsable float. In this case we trivially replace Dwith E; import numpy as np numconv = lambda x : str.replace(x.decode('utf-8'), 'D', 'E') np.loadtxt('test.txt', converters={0:numconv, 1:numconv, 2:numconv}, dtype='double') # array([[ 0.00000000e+00, -1.14521000e-17, 1.26240800e-17], # [ 1.00000000e-01, -4.69728600e-07, 1.05596300e-07], # [ 2.00000000e-01, -1.87780600e-06, 4.22049300e-07], # [ 3.00000000e-01, -4.22082400e-06, 9.48298500e-07]])
{ "language": "en", "url": "https://stackoverflow.com/questions/36134183", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: If - Else on Pirates Un-resolved Could you someone show me how to create an if - else statements with two sets of R.drawable.images pirates? I've tried, but I got an error code saying pirates is un-resolved. Bitmap icon = BitmapFactory.decodeResource(getResources(),pirates[i]); This is what I have in the preferences: xmlns:android="http://schemas.android.com/apk/res/android" android:key="wallpaper_settings" android:title="@string/wallpaper_settings" > <!--must be the same callout from values->strings--> <ListPreference android:key="speed" android:title="@string/speed_title" android:entries="@array/timelist" android:entryValues="@array/actualtime" android:summary="@string/speed_summary" > </ListPreference> <CheckBoxPreference android:key="checkbox" android:title="Nature Pictures" android:summary="For Nature Pictures Option" android:defaultValue="false" /> Main Activity: public class main_activity extends WallpaperService { public static final String SHARED_PREFS_NAME="settings_menu"; @Override public void onCreate() { super.onCreate(); } @Override public void onDestroy() { super.onDestroy(); } @Override public Engine onCreateEngine() { return new wallpaperEngine(); } class wallpaperEngine extends Engine implements SharedPreferences.OnSharedPreferenceChangeListener{ private final Handler mhandler = new Handler(); //defines variables private final Runnable drawrunnable = new Runnable() { public void run() { drawFrame(); } }; private int i = 0; private boolean mVisible; private SharedPreferences mPrefs; private boolean mcheckbox = false; public int mSpeed = 10; int[] pirates = { R.drawable.image_1, R.drawable.image_2, R.drawable.image_3, R.drawable.image_4 }; //For Nature Pictures int[] pirates = { R.drawable.image_a1, R.drawable.image_a2, R.drawable.image_a3, R.drawable.image_a4 }; ....... ...... Bitmap icon = BitmapFactory.decodeResource(getResources(),pirates[i]); i++; if (i == 14) { i = 0; Thank you very much A: Seems like you are trying to create two arrays of int, holding different set of images. But you are using the same variable name pirates. I would suggest you define two different variables int[] pirates and int[] piratesNatural and then switch between those two arrays when you need one and the other. Bitmap icon; if(natural) icon = BitmapFactory.decodeResource(getResources(),piratesNatural[i]); else icon = BitmapFactory.decodeResource(getResources(),pirates[i]); A: you doing animation? int frame=0; int frametime=24; Bitmap icon1 BitmapFactory.decodeResource(getResources(), R.drawable.image_1,); Bitmap icon2 BitmapFactory.decodeResource(getResources(), R.drawable.image_2,); Bitmap icon3 BitmapFactory.decodeResource(getResources(), R.drawable.image_3,); Bitmap icon4 BitmapFactory.decodeResource(getResources(), R.drawable.image_4,); //in update frametime--; if(frametime<=0){ frame++; frametime=24; } if(frame>3){ frame=0; } //in onDraw switch(frame){ case 0: canvas.drawBitmap(icon1,x,y,null); break; case 1: canvas.drawBitmap(icon2,x,y,null); break; case 2: canvas.drawBitmap(icon3,x,y,null); break; case 3: canvas.drawBitmap(icon4,x,y,null); break; default: canvas.drawBitmap(icon1,x,y,null); break;}
{ "language": "en", "url": "https://stackoverflow.com/questions/22643685", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Method Swizzling - How to assure methods are swizzled before they are called I'm method swizzling a third party applications creation of NSMenuItems with SIMBL, but 50/50 of the time the menu-items are created before my method swizzling is initialized. What is a clean way to make sure my swizzling always comes first? I guess I could swizzle applicationDidFinishLaunching: and continue my swizzling there. But I'm afraid I'm going to run in to the same error there, where applicationDidFinishLaunching will be called before my actual swizzle is in place. John A: You'd want the swizzle to happen as soon as the libraries are loaded. You can do that via +initialize, +load, or a constructor function. @bbum's answer to this question has a bit more information, along with one of his blog posts on the caveats of using these special class methods. (And I'm purposely not questioning the wisdom of what you're doing ;) ) A: You can use constructor functions like this: __attribute__((constructor)) static void do_the_swizzles() { // Do all your swizzling here. } From GCC documentation: The constructor attribute causes the function to be called automatically before execution enters main(). Note: Although this is originally from GCC, it also works in LLVM.
{ "language": "en", "url": "https://stackoverflow.com/questions/4675546", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Multiple Timers counting down are not working properly | SwiftUI I have an auction app running. I need several timers counting down in the UI, these timers have different end Dates, and the end seconds can be updated when SignalR receives a new value. I have implemented running timers in my current solution, but sometimes and suddenly, they start having delays between counting down a second. The timers are inside these components called LotCard within the ForEach ForEach($lotService.getLotListDto) { $item in LotCard(lotCardViewModel: $item.lotCardViewModel, lotDto: item, fnStartLotConnection: { value in lotService.initSingleLotCard(uID: value)}) } This is the necessary code within these components: //MARK: Timer @State var timeRemaining = 9999 let timerLotCard = Timer.publish(every: 1, on: .main, in: .common).autoconnect() HStack(spacing: 3){ Image(systemName: "stopwatch") if(lotCardViewModel.showTimer){ Text("\(timeRemaining.toTimeString())") .font(.subheadline) .onReceive(timerLotCard){ _ in if self.timeRemaining > 0 { self.timeRemaining -= 1 if(self.timeRemaining <= 0){ self.timerLotCard.upstream.connect().cancel() } }else{ self.timerLotCard.upstream.connect().cancel() } } } } I guess it's a problem with threads and using many timers simultaneously with the same Instance but I am not an experienced developer using SwiftUI/Swift. This is how my interface looks like: Thanks for your help. A: I came up with this approach thanks to the comments in my question. I hope it works and suits your problems. First, I created a Published Timer, meaning every component will run the same Timer. import Foundation import Combine class UIService : ObservableObject { static let shared = UIService() //MARK: Timer to be used for any interested party @Published var generalTimer = Timer.publish(every: 1, on: .main, in: .common).autoconnect() } Finally, I am using that Timer wherever I want to use it. In this case, I use it in every LotCard component. struct LotCard: View { //MARK: Observable Class @EnvironmentObject var UISettings: UIService //MARK: Time for the counting down @State var timeRemaining = 9999 var body: some View { HStack{ Text(timeRemaining.toTimeString()) .onReceive(UISettings.generalTimer){ _ in if self.timeRemaining > 0 { self.timeRemaining -= 1 } } } } }
{ "language": "en", "url": "https://stackoverflow.com/questions/73134381", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Override a method and make it behave static I have an existing framework, which I can't change, it reads 2 properties * *ClassA=somepackage.AnImplementationOfInterfaceA *ClassB=somepackage.AnImplementationOfInterfaceB Which calls public methodA on a new ClassA(), public methodB on a new ClassB() in that order I want to make a class C which implements interfaces A, B and provides hooks methodC1, methodC2 for class D to override (methodA & methodB contain a lot of boilerplate and complex to implement - methodC1 & methodC2 would encapsulate the business logic) . Then my properties would be * *ClassA=somepackage.classD *ClassB=somepackage.classD The problem is that the person who implements class D might be tempted to write something like: class D extends class C { private int foo; //must be non-static due to multi-threaded new Class D() calls going on int methodC1() {this.foo = read number from network} methodC2(int x) {y = this.foo;} //methodC2 is always called after methodC1 //methodA, methodB implementation inherited from C } But this wouldn't work as expected since the framework would actually create a new object of class D each time before invoking methodA, methodB and thus can't rely on using the "this" reference. Defining methodC1, methodC2 as static wouldn't work either because then the call to methodC1 is tied to the implementation in C, not the overriden one in D. When really what ought to be written is: class D extends class C { int methodC1() {return number from network;} methodC2(int x) {y = x} //here y is using the return value of methodC1 //methodA, methodB implementation inherited from C } I would also like only methodC1, methodC2 to be overridable i.e. programmers working on D can't mess with methodA The ideal design would have * *the properties refer to one class only *methodC1, methodC2 to be in that class Summary of challenges * *no this in methodC1, methodC2 *can't make methodC1, methodC2 static *properies takes only a instantiable class How do I design this framework? Is this even solvable? You can change the signature of methodC1, methodC2. A: Composition! Establish an interface that you are okay with people extending. This class would contain the logic for MethodD1 and D2, and for everything else just a simple call to the other methods in your currently existing class. People won't be able to modify the calls to change the underlying logic. A: The static methods can not be overridden! If a subclass defines a static method with the same signature as a static method in the superclass, the method in the subclass hides the one in the superclass. The distinction between hiding and overriding has important implications.
{ "language": "en", "url": "https://stackoverflow.com/questions/10492372", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Set counting javascript program to two decimal places Please see this code: <script> setInterval(function () { var counters = document.getElementsByClassName("count"); for(var i = 0 ; i < counters.length ; i++) { counters[i].innerHTML = parseInt(counters[i].innerHTML) + parseInt(counters[i].dataset.increment); } }, 1000); </script> What it does is take a piece of html like this: <div class="count" data-increment="10">10</div> And it will count by 10 every second. How do I make the following code work: <div class="count" data-increment="10.02">10.02</div> Basically, I want to have this program count by up to two decimal places. A: Use parseFloat instead of parseInt. And toFixed(2) for limiting two decimal points. setInterval(function() { var counters = document.getElementsByClassName("count"); for (var i = 0; i < counters.length; i++) { counters[i].innerHTML = parseFloat(counters[i].innerHTML).toFixed(2) + parseFloat(counters[i].dataset.increment).toFixed(2); } }, 1000); A: JSFIDDLE You need to use parseFloat to covert string to float. and toFixed on float to truncate extra decimal. toFixed return string you need to use parseFloat again so that it became float addition not string concatenation. var counters = document.getElementsByClassName("count"); setInterval(function () { for(var i = 0 ; i < counters.length ; i++) { counters[i].innerHTML = (parseFloat(parseFloat(counters[i].innerHTML).toFixed(2)) + parseFloat(parseFloat(counters[i].dataset.increment).toFixed(2))).toFixed(2); } }, 1000); <div class="count" data-increment="10">10</div> <div class="count" data-increment="10.02">10.02</div> A: Try wrapping addition within String() , .innerHTML , .dataset within Number() , Number() within expression () chained to .toFixed(2) ; set counters[i].innerHTML to result derived within String((Number(/* innerHTML */) + Number(/* dataset *)).toFixed(2)) var interval = setInterval(function() { var counters = document.getElementsByClassName("count"); for (var i = 0; i < counters.length; i++) { counters[i].innerHTML = String((Number(counters[i].innerHTML) + Number(counters[i].dataset.increment)).toFixed(2)); } }, 1000); <div class="count" data-increment="10.02">10.02</div>
{ "language": "en", "url": "https://stackoverflow.com/questions/31117995", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "2" }
Q: How to get the fingers count in the InkCanvas? I am trying to zoom the InkCanvas when the finger counts greater than 1, but I can't get the finger count in the InkCanvas.Anyone Please help me how to get the finger count in InkCanvas. A: I don't have touch screen to test but maybe this will work: int count; private void InkCanvas_PointerEntered(object sender, Windows.UI.Xaml.Input.PointerRoutedEventArgs e) { count++; } private void InkCanvas_PointerExited(object sender, Windows.UI.Xaml.Input.PointerRoutedEventArgs e) { count--; } If it doesn't help. Try to use PinterPressed and PointerReleased. You may grab point Id from event args and handle them.
{ "language": "en", "url": "https://stackoverflow.com/questions/46842244", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: React Native init Project which ruby outputs -> /Users/User/.rbenv/shims/ruby ruby -v outputs -> ruby 2.7.5p203 (2021-11-24 revision f69aeb8314) [x86_64-darwin21] which bundle outputs -> /Users/User/.rbenv/shims/bundle bundle -v outputs -> Bundler version 2.1.4 but the problem is that npx react-native init MyProject outputs -> ✖ Installing Bundler error Bundler::RubyVersionMismatch: Your Ruby version is 2.6.10, but your Gemfile specified 2.7.5 A: What's likely happening is that npx react-native init MyProject is sub-shelling into Bash where you do not have rbenv configured. When it tries to run ruby from Bash it looks in $PATH and finds the default macOS version of Ruby -- 2.6.10 -- and errors out. This is discussed thoroughly in the react-native repo where there are many solutions, but what it boils down to is react-native init is not finding the right version of Ruby, for whatever reason. You can bypass that by completing the failing part of the init process yourself with: cd MyProject bundle install cd ios && bundle exec pod install The longer version of the solution is to configure rbenv for Bash as well, but this isn't necessary as you can likely use just the workaround above: echo 'eval "$(~/.rbenv/bin/rbenv init - bash)"' >> ~/.bash_profile
{ "language": "en", "url": "https://stackoverflow.com/questions/74942404", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Assign to specific characters within CSS style I am new to CSS and web development in general. Hopefully there is a way to accomplish what I am trying to do. What I am trying to do is simple to explain, but I need to give some background info first, sorry for the length of the post. I have created a webpage that is in the Tibetan language. Tibetan does not have spaces between words, it only has a character called a "tsheg" (་ - U+0F0B) that is used to separate every syllable. It also has a mark called a "shey" (། - U+0F0D) that comes at the end of phrases and clauses and sentences. Although sometimes it is doubled, after a shey is generally a space before the next line of text. When typing in Tibetan this space is represented not as a normal space (U+0020) but instead U+00A0, however when it comes to browsers and HTML/coding in general these two seem to behave the same. In any Tibetan writing, the ideal aesthetic is for full justification. Traditionally there would be slight spaces placed between the tsheg marks and the shey marks to achieve a perfectly flush left and right alignment. (The exception would be the last line of a text, or a paragraph in contemporary formatting, does not need to be justified). It is acceptable for lines to break mid-word or mid-sentence, but never mid syllable. So the last character on any line is going to be either a tsheg or a shey. It is also not acceptable to start a line with a shey. In the last few years this has been easy to achieve for desktop publishing using MS Word, using "Thai Justification." However that option is not available even in other Office products, never mind outside of the Office environment. Other work-arounds have been to add invisible width characters after every tsheg and shey, allowing for wrapping at any point. Now comes the question and difficulty. I am using distributed justification, and that seems to be the best option. It does not break syllables up, which is important. But it only wants to break at those spaces after shey marks, and it breaks elsewhere when there is a long string of text without a space, but if there is a space then it breaks there, sometimes stretch one or two syllables across an entire line, which is obviously not ideal. Now, when coding the HTML of the text I can use the same work-around that is used for desktop publishing pre "Thai justification," I can add a <wbr> after every single tsheg, and this will not be visible to the end user and should allow cleaner breaking. However, there are two problems with this. But inserting that many <wbr> characters I am essentially doubling, or close to doubling, my character count, which can make the page take twice as long to load, even if half of those characters are invisible. However, more important is that it disrupts search functionality. Although you may see the word that has the syllables "AB" for instance, if you tried searching for AB you wouldn't find it, because the HTML sees "AB". And being able to search is kind of critical. Enough so that an ugly formatting is preferable to losing the ability to search and to be indexed properly. Obviously, since I need the site to be responsive and I do not know what size screens will be used I cannot have forced line breaks, either, another trick used when publishing. So, finally, my question. Is there a way I can define a style or function or some sort of element that automatically associates a certain character--in my case the tsheg character--as having a <wbr> command after it without actually needing to input that command into my HTML? So when the text is justified it treats every tsheg as a <wbr>? I have a class .Tibetan in my stylesheet that defines the font and the justification and so forth, is there some way I can add some code there that achieves what I am looking for? The one other thing I tried was replacing all of the spaces with &nbsp; which gave a beautiful justified appearance but it also caused the browser to disregard the tsheg marks entirely and it allowed for the cutting in half of syllables. If you want to see an example of what I am talking about you can visit this page of my site: http://publishing.simplebuddhistmonk.net/index.php/downloads/critical-editions/ and next to the word "English" click the Tibetan characters and that will bring up a paragraph of prose, or you can look here: http://publishing.simplebuddhistmonk.net/index.php/downloads/tibetan/essence-of-dispelling-errors-tib/ (though the formatting on that latter page is less egregious than the former, at least on my screen). EDIT It looks like the solution this person used might be able to be adapted for my use: Dynamically add <wbr> tag before punctuation however I do not actually understand what I would need to add, and where, to make that work for me. Anyone think that might apply to this scenario? And if so, what code would I add where? NEW EDIT So, I think the problem might be with the search function that comes from my WordPRess theme. I used my workaround as mentioned above, adding the tag after every tsheg, on this page: http://publishing.simplebuddhistmonk.net/index.php/downloads/tibetan/essence-of-dispelling-errors-tib/ and as you can see, it displays perfectly. But if you search for any phrase from that page using the search function that is up in my header, it will not find it. If you do a Ctrl+F and search on the page, though it will find it. Even if you copy the text from the page and paste it into the search box it still does not find it. Copy the text into a word editor doesn't reveal any hidden or invisible characters. However, if you search for a term from this page http://publishing.simplebuddhistmonk.net/index.php/downloads/tibetan/beautiful-garland-ten-innermost-jewels-tib/ which I have not added the tags to, you will see that it finds it no problem. So, that leads me to believe the error is in the search function. Any experience with this? Because search is important but I can quite possibly find alternative earch widgets to replace the one that comes with the theme. What is most important though is if you search for a line of text on Google it needs to be found. My site has not been indexed fully by any search engine so I cannot yet confirm if this does or does not affect them. So.... At this point I wil take any advice I can get. Any advice regarding the original question (is there a way to tell the style guide "if your are displaying X then treat it like X" ) or any idea about this issue with the search functionality, and how the tag may or may not affect search, both from within the site and also from search engines.
{ "language": "en", "url": "https://stackoverflow.com/questions/48222501", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Trying to add an alert to detection model "ssd_mobilenet_v2", throws an error Using "ssd_mobilenet_v2_fpn_keras" i am trying to add an alert system The detection model is loaded in to the below function def detect_fn(image): image, shapes = detection_model.preprocess(image) prediction_dict = detection_model.predict(image, shapes) detections = detection_model.postprocess(prediction_dict, shapes) return detections The image is converted to a tensor input_tensor = tf.convert_to_tensor(np.expand_dims(image_np, 0), dtype=tf.float32) The the tensor is fead to the detection model detections = detect_fn(input_tensor) The output of the detection model is a dictionary, with the following keys: dict_keys(['detection_boxes', 'detection_scores', 'detection_classes', 'raw_detection_boxes', 'raw_detection_scores', 'detection_multiclass_scores', 'detection_anchor_indices', 'num_detections']) detections[detection_classes], gives the following output ie 0 is ClassA, 1 is ClassB [0 1 1 0 0 1 0 0 1 0 1 1 0 0 1 0 1 1 0 1 0 1 1 0 0 1 0 0 1 0 1 0 0 1 1 1 1 0 0 0 1 1 1 0 0 1 1 1 0 1 0 1 0 0 0 0 1 0 0 1 0 0 1 0 1 0 0 1 0 0 0 0 1 0 1 1 0 1 1 0 1 1 0 0 0 0 0 0 0 0 0 1 1 1 0 0 0 1 0 1] detections['detection_scores'] gives the score for each box detected (a few shown below) [0.988446 0.7998712 0.1579772 0.13801616 0.13227147 0.12731305 0.09515342 0.09203091 0.09191579 0.08860824 0.08313078 0.07684237 I am trying to Print("Attention needed"), if detection classB ie 1 is observed for key in detections['detection_classes']: if key==1: print('Alert') When i try to do that i get an error `ValueError: The truth value of an array with more than one element is ambiguous. Use a.any() or a.all() How do make it work? I want the code to print "Attention needed" is Class =1 or A and detection_scores >= 14 Code Explained, a bit further links for the complete code are below : * *Tutorial on YouTube *GitHub sources repository A: As mentioned in the error message, you should use .any(). like: if (key == 1).any(): print('Alert') As key == 1 will be an array with [False, True, True, False, ...] You might also want to detect ones that exceeds certain score, say 0.7: for key, score in zip( detections['detection_classes'], detections['detection_scores']): if score > 0.7 and key == 1: print('Alert') break
{ "language": "en", "url": "https://stackoverflow.com/questions/70208626", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Android - How to open an associated file to an application from main activity Possible Duplicate: Android intent filter: associate app with file extension I've associated an XML file with extensions .x to my application. I would like to click on .x file, my associated application should start, and I would like to open the file, passed in some way, from inside onCreate() of activity. There is a way to do this ? Thanks in advance. A: Add this intent filter in your manifest to your activity <intent-filter> <action android:name="android.intent.action.VIEW" /> <category android:name="android.intent.category.DEFAULT" /> <data android:mimeType="application/xml" /> <data android:pathPattern=".*\\.x" /> </intent-filter> on your onCreate files are passed on as: Uri uri = this.getIntent().getData(); if(uri!=null){ Log.v(getClass().getSimpleName(), "importing uri:"+uri.toString()); }
{ "language": "en", "url": "https://stackoverflow.com/questions/12411660", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Crop raster plot in r I am trying to read a hospital floor plan map (a higher resolution version than the one here in .PNG form) http://www.alfredicu.org.au/assets/Miscellaneous-Downloads/newicufloorplan.pdf So that I can then place points onto it representing OHS incidents. My problem is that I need to be able to cut down the map so that I am only looking at a subset of the area so the x-axis (which represents mm of the A2 page) is 10:300 and the y axis is 10:380. I have read in the array and plot but do not know how to subset this plot. If you can advise how to change the dimensions of the plot so that I can 'zoom in' on the relevant part of the map that would be greatly appreciated. #Read PNG into raster array r <- readPNG("ICU-map.png") #Set up the plot area as A2 with mm as the dimensions icu <-plot(0, type='n', main="ICU", xlab="x", ylab="y", xlim=c(0, 594), ylim=c(0, 420)) #Get the plot information so the image will fill the plot box, and draw it lim <- par() rasterImage(r, lim$usr[1], lim$usr[3], lim$usr[2], lim$usr[4]) grid() lines(c(1, 1.2, 1.4, 1.6, 1.8, 2.0), c(1, 1.3, 1.7, 1.6, 1.7, 1.0), type="b", lwd=5, col="white")
{ "language": "en", "url": "https://stackoverflow.com/questions/38177141", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Broken Adobe Air Installers, Do I Need a Certificate This is a multi-part question, but all to resolve the same issue. I'm trying to publish a project I've been working on but get intermittent problems with .air files that are generated. I always get the following warning when publishing my project: "There was an error connecting to the timestamp server. You may not have a connection to the network, or the server itself may have a problem. If you choose to disable timestamping, the AIR application will fail to install when the digital signature expires." So I have had no choice but to disable timestamping. I do have a working internet connection, but I'm working from my company network, could this be an issue, and if so, is there a work around (Opening a specific port or something)? Also, how long do the above-mentioned digital signatures have before expiring? Also, I am creating my own certificate. Do I need to purchase some kind of certificate/license to install my application on another computer? I've done some research, but the information is hard to find, and what I do find is kind of cryptic at best. Currently, I only need to deploy to machines within the company. Sometimes the installer works fine and without issue (on the computer that generated it at least), other times I get "The application could not be installed because the installer file is damaged. Try obtaining a new installer file from the application author." as an error message. Other times I get an error stating that certificates or signatures or something do not match (Sorry, I couldn't replicate the error so am paraphrasing).I have yet to get an install to work on a separate machine. I've tried using Air 2.5 and 2.6. Also, as an extra while I'm here: Can I embed AIR applications to be run INSIDE a browser like a traditional Flash project? A: About certificate, you can use a self signed certificate, the only difference is that the users will see a big warning when installing that the publisher is unknown. About timestamping, I only know that the adt tool that packages the app is attempting to connect to a timestamping server, I am not sure what protocol is used, you will need to check this and unblock this. If the installer is not timestamped then the issue is that after the certificate expires you can continue using this installer and need to do a new one with a certificate that is not expired. As an example, if I use a certificate that expires tomorrow today and the installer is not timestamped then it will not work after tomorrow but if it was timestamped then it will continue to work after the certificate expired because it was created before the expiration I seen the installer is damaged erors a few times on our customers machine, usually on Windows, sometimes uninstalling and reinstalling AIR helped but not always, the problem is that the error message is not detailled enough to fix this, in rare cases I had to create .exe installers for those customers but I suggest to try the installers on a few machines first and use the native .exe installers if anything else is not working.
{ "language": "en", "url": "https://stackoverflow.com/questions/30189212", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: Javascript variable inside qoute (double inside single qoute) I am trying to use a variable in nodejs. It giving me errors whatever I try. How can I use a variable in this string let txt= 'some unknown texts' "MATCH (productName) AGAINST ('txt')" Here I need to replace txt. Note: I cannot use `` Edit Here is the query I am using await Product.query().whereRaw("MATCH (productName) AGAINST ('txt')").select('productName') Thank you. A: In ES6 you need to do the following to use a var in string `MATCH (productName) AGAINST ${txt}` IF you cannot use `` Just go for the old way with string concatanation, "MATCH (productName) AGAINST '" +txt + "'"
{ "language": "en", "url": "https://stackoverflow.com/questions/50997423", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to make past date unselectable in fullcalendar? Problem is, how to disable selectable on PAST DATES in fullcalendar's month/week view. I want to user not allowed to click/select the on past dates. Here is some googled code snippet I am trying to implement on event rendering: selectable: true, selectHelper: false, select: function(start, end, allDay) { var appdate = jQuery.datepicker.formatDate('<?php echo $DPFormat; ?>', new Date(start)); jQuery('#appdate').val(appdate); jQuery('#AppFirstModal').show(); }, eventRender: function(event, element, view) { var view = 'month' ; if(event.start.getMonth() !== view.start.getMonth()) { return false; } }, But its not working though. I tried bellow CSS too and this help me to hide past date text only, but selectable is still working on pastdate box. .fc-other-month .fc-day-number { display:none; } I am really stuck with this problem. Please someone help me out. Thanks... A: The old answers to this question are ok... However, the official documentation suggests a new, more concise solution: First set the day you want to be the lower bound var today = new Date().toISOString().slice(0,10); Then include the range using validRange. Simply omit the end date. validRange: { start: today } A: In FullCalendar v3.0, there is the property selectAllow: selectAllow: function(info) { if (info.start.isBefore(moment())) return false; return true; } A: In fullcalendar 3.9, you might prefer the validRange function parameter : validRange: function(nowDate){ return {start: nowDate} //to prevent anterior dates }, Drawback: this also hides events before that datetime A: You can combine: -hide text by CSS as mentioned in question -disable PREV button on current month -check date on dayClick/eventDrop etc: dayClick: function(date, allDay, jsEvent, view) { var now = new Date(); if (date.setHours(0,0,0,0) < now.setHours(0,0,0,0)){ alert('test'); } else{ //do something } } A: I have done this in my fullcalendar and it's working perfectly. you can add this code in your select function. select: function(start, end, allDay) { var check = $.fullCalendar.formatDate(start,'yyyy-MM-dd'); var today = $.fullCalendar.formatDate(new Date(),'yyyy-MM-dd'); if(check < today) { // Previous Day. show message if you want otherwise do nothing. // So it will be unselectable } else { // Its a right date // Do something } }, I hope it will help you. A: I like this approach: select: function(start, end) { if(start.isBefore(moment())) { $('#calendar').fullCalendar('unselect'); return false; } } It will essentially disable selection on times before "now". Unselect method A: This is what I am currently using Also added the .add() function so the user cannot add an event at the same hour select: function(start, end, jsEvent, view) { if(end.isBefore(moment().add(1,'hour').format())) { $('#calendar').fullCalendar('unselect'); return false; } A: You can use this: var start_date= $.fullCalendar.formatDate(start,'YYYY-MM-DD'); var today_date = moment().format('YYYY-MM-DD'); if(check < today) { alert("Back date event not allowed "); $('#calendar').fullCalendar('unselect'); return false } A: Thanks to this answer, I've found the solution below: $('#full-calendar').fullCalendar({ selectable: true, selectConstraint: { start: $.fullCalendar.moment().subtract(1, 'days'), end: $.fullCalendar.moment().startOf('month').add(1, 'month') } }); A: I have tried this approach, works well. $('#calendar').fullCalendar({ defaultView: 'month', selectable: true, selectAllow: function(select) { return moment().diff(select.start, 'days') <= 0 } }) Enjoy! A: below is the solution i'm using now: select: function(start, end, jsEvent, view) { if (moment().diff(start, 'days') > 0) { $('#calendar').fullCalendar('unselect'); // or display some sort of alert return false; } A: No need for a long program, just try this. checkout.setMinSelectableDate(Calendar.getInstance().getTime()); Calendar.getInstance().getTime() Gives us the current date. A: I have been using validRange option. validRange: { start: Date.now(), end: Date.now() + (7776000) // sets end dynamically to 90 days after now (86400*90) } A: In Fullcalendar i achieved it by dayClick event. I thought it is the simple way to do it. Here is my code.. dayClick: function (date, cell) { var current_date = moment().format('YYYY-MM-DD') // date.format() returns selected date from fullcalendar if(current_date <= date.format()) { //your code } } Hope it helps past and future dates will be unselectable.. A: if any one of answer is not work for you please try this i hope its work for you. select: function(start, end, allDay) { var check = formatDate(start.startStr); var today = formatDate(new Date()); if(check < today) { console.log('past'); } else { console.log('future'); } } and also create function for date format as below function formatDate(date) { var d = new Date(date), month = '' + (d.getMonth() + 1), day = '' + d.getDate(), year = d.getFullYear(); if (month.length < 2) month = '0' + month; if (day.length < 2) day = '0' + day; return [year, month, day].join('-'); } i have tried all above question but not work for me you can try this if any other answer work for you. thanks A: just add this if statement select(info) { if (moment(info.start).format() > moment().format()) { //your code here } else { toast.error("Please select valid date"); } }, A: For FullCalendar React (Disable past day completely): selectAllow={c => (moment().diff(c.start, 'hours') <= 0)}
{ "language": "en", "url": "https://stackoverflow.com/questions/14978629", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "29" }
Q: How to catch when user close a console application via “X” button I have to write data in memory to in a file to close my console application. How can i detect console closing event ? A: When the terminal is closed, your program will get a SIGHUP, which kill it by default. add a signal handler to handle the SIGHUP do whatever you want. and if you program write to the console after it has been close, you may also get SIGPIPE, handle it properly
{ "language": "en", "url": "https://stackoverflow.com/questions/17471949", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How will you design memory for 1GB memory with each page size being 4K I was asked this question in a job interview recently. I answered that I wud use a hash data structure to begin with designing the system. But couldn't answer that well. I think the interviewer was looking for answers like how will i design a page table for this. I would like to know how to answer this question. Like for each page size being 4K how many pages would be needed for 1Gb? Also, what other considerations I should keep in my mind to design it efficiently. A: This question makes sense in the context of CPUs where the TLBs are "manually" loaded and there are no predetermined page table structures, like some models of MIPS, ARM, PowerPC. So, some rough thoughts: 1G is 2^30 bytes or 2^18 = 256K 4K pages Say, 4-byte entry per page, that's 1M for a single level page table. Fast, but a bit wasteful on memory. What can we do to reduce memory and still make it reasonably fast. We need 18 bits per page frame number, cannot squeeze it in 2 bytes, but can use 3-bytes per PTE, with 6 bits to spare to encode - access rights, presence, COW, etc. That's 768K. Instead of the whole page frame number we can keep only 16-bits of it, with the remaining two determined by a 4-entry upper level page table with a format like this: * *2 MSB of the physical page number *21 bits for second level page table (30 bit address, aligned on 512K boundary) *spare bits No place for per-page bits though, so lets move a few more address bits to the upper level table to obtain Second level page table entry (4K 2-byte entries = 8K) * *4 bits for random flags *12 LSB of the page frame address First level page table entry format (64 4-byte entries = 256 bytes): * *6 MSB of the page frame address *17 bits for second level page table address (30-bit address aligned at 8K) *spare bits A: Looks like an open end question to me. The main idea may be to know how much you know about memory and how much deep you can think of the cases to handle. Some of them could be: * *Pagination - How many pages you want to keep in memory for a process and how many on disk to optimize paging. *Page Tables *Security *Others, if you can relate and think Of
{ "language": "en", "url": "https://stackoverflow.com/questions/8158456", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to override span-columns at different breakpoint in SUSY I think I must be missing something fundamental with how susy works, and the documentation has too few examples to understand how this works. I want different layouts at different breakpoints. I can make it that far, but I want my elements to span different number of columns depending on what breakpoint is triggered. So if I have a general stylesheet for mobile ('mobile-first') like: .wrapper{ .element1{ @include span-columns(4); } .element2{ @include span-columns(2 omega); } } But once the width changes to my 'tablet' and it changes to an 8 column layout, I want to be able to change this to: @include at-breakpoint($tablet-break $tablet-layout){ .wrapper{ @include set-container-width; .element1{ @include span-columns(5); } .element2{ @include span-columns(3 omega); } } } It seems like this not only doesn't 'overwrite' the mobile settings, but it appears, upon firebug inspection, that the elements do not match up with my new tablet columns. I think it is still using a 6 column layout. Adding @include set-container-width doesn't seem to fix the problem; however, if I comment out the mobile layout it works. So it's almost as if these include statements don't overwrite, so I think I'm not understanding how susy works. Here's an example of firebug showing the element not matching the layout: (Also I'm not sure of any SUSY best practices (except for don't nest more than 4 deep). I could define all my sass with nested @at-breakpoint statements for all my changes, or I could define my default (mobile) css and then create a separate sass block all nested within at-breakpoint. I don't know if this is causing a problem.) UPDATE It appears, that if I include at-breakpoint includes after the original (mobile) declaration, it seems to work. Though it does seem to require code repetition: .element1{ @include span-columns(2 omega); text-indent: -1em; text-align: center; @include at-breakpoint($tablet-break $tablet-layout){ @include span-columns(3 omega); text-indent: 0; text-align: left; } @include at-breakpoint($desktop-break $desktop-layout){ @include span-columns(3 omega); text-indent: 0; text-align: left; } }
{ "language": "en", "url": "https://stackoverflow.com/questions/17940363", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: fftw shift zero-frequency to image center I am struggling on the result of FFTW applied on image. I can do the Fourier transform and inverse Fourier transform on image, I am sure the two functions are working. Now I am trying to analyze the result of Fourier transform and try to apply a filter on it, etc. Currently I am confusing on the FT result. As I know the the zero-frequency should be on the top-left corner. I should shift it to the image center if I want to check frequency friendly. There are at least two way I have tested. one method is described on the FFTW FAQ webpage, all the pixels in the image were multiplied by (-1)^(i + j) before Fourier transform, where i, and j are the pixel's index. image was multiplied by (-1)^(i+j), then its magnitude is but actually ,it should be like this (which I did in imagej) Fourier transform in imagej: I also tried using my code to switch them after calculating its magnitude, but got the similar wrong result. void ftShift2D(double * d, int w, int h) { int nw = w/2; int nh = h/2; if ( w%2 != 0) {nw++;} if ( h%2 != 0) {nh++;} printf("%d, %d\n", nw, nh); for (int i = 0; i < nh ; i++) { for(int j = 0; j < nw; j++) { int t1 = i * w + j; int t2 = (i + nh + 1) * w + j + nw; swapXY<double>(d[t1], d[t2]); } for (int k = nw; k < w; k++) { int t1 = i * w + k; int t2 = (i + nh + 1 ) * w + k - nw; swapXY<double>(d[t1], d[t2]); } } } I understood the layout of FT result in FFTW, as is described in their website. I also checked the output, this layout can be confirmed, only top half have data, the rest is 0. therefore, it seems explain why the two methods used above cannot work. I am trying to design new method to shift the zero-frequency to image center. could you give me a better way to do it? I insist on this, aim to use the filter, it will be easier to understand. if the zero-frequency did not be shifted to center, could you guys give me another suggestion that I can, for example, apply a high Gaussian filter on it in frequency domain. thanks a lot. the input image is: The FT and IFT code are void Imgr2c(double * d, fftw_complex * df, int w, int h) { fftw_plan p = fftw_plan_dft_r2c_2d(h, w, d, df, FFTW_ESTIMATE); fftw_execute(p); fftw_destroy_plan(p); } void Imgc2r(fftw_complex * in, double * ftReverse, int w, int h) { fftw_plan p = fftw_plan_dft_c2r_2d(h, w, in, ftReverse, FFTW_ESTIMATE); fftw_execute(p); int l = w * h; for (int i = 0; i < l; i++) { ftReverse[i] /= l; } fftw_destroy_plan(p); } [Edit by Spektre] This is how it should more or less look like: A: You may want to check out how I did it here: https://github.com/kvahed/codeare/blob/master/src/matrix/ft/DFT.hpp The functions doing the job are at the bottom. If there are any issues, feel free to contact me personally. A: I found what is my problem! I did not understand the output layout of DFT in FFTW deeply. After some tests, I found the the dimension in width should w/2 + 1, and the dimension in height did not changed. the code to do FT, IFT, and shift the origin have no problem. what I need to do is changing the dimension when try to access it. magnitude after DFT magnitude after shifting the origin Cheers, Yaowang
{ "language": "en", "url": "https://stackoverflow.com/questions/46178586", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Is it possible to show blog view counter with information Google Analytics I have a static blog using Jekyll hosted on GitHub. I have set up Google Analytics for it and works well enough. Now I want to show how many people viewed each post in my blog. I found Google Analytics JavaScript API to get the information. But it seems that this API uses OAuth for data access. So I think this might not be the API I needed. Is it possible to do so with Google Analytics? I don't have any server since it's hosted on GitHub. A: I finally solved this problem by Google Analytics superProxy as suggested in the comment of @EikePierstorff. I wrote a blog on it. Here's the main idea. I first build a project on Google App Engile, with which I authenticate for the access of my Google Analytics. Then a URL of query (which can be pageview of certain pages) is generated in JSON format. I can set the refresh rate on this GAE project so that the JSON file can be updated from Google Analytic. Sounds almost perfect to me. Thank you all guys for help! A: You can't query the Google Analytics API without authorization by someone, that's the most important thing to remember. It's certainly possible to display Google Analytics data on your website to users who don't have access to your account, but in order to do that, someone with access to the account needs to authorize and get an access token in order to run queries. Normally this is done server side, and once you have a valid access token you can query the API client side (to display charts and graph, etc.). Access tokens are typically valid for 1 hour, so if you want to have your website up all the time, you'll also have to deal with refreshing the access token once it expires. Now, since you're using Github Pages and don't have a back end, which means all the authorization will need to happen client side. While it's technically possible to do the same thing client side as server side, it's generally not a good idea because private data like your client secret, refresh token, etc. will be visible in the source code. Applications that do auth client side typically don't authorize on behalf of a user. They require the users themselves to go through an auth flow for security reasons (as I just explained), but that would mean those users 1) have to log in, and 2) can only see the analytics data they have access to, which probably isn't what you want. -- What you can do is run reports periodically yourself and export that data to a Google Spreadsheet. Google Spreadsheets allow you to embed charts and graphs of data as an <iframe> in external pages, so that might be an option. At the end of the day, if you can't authorize server side you'll have to come up with some kind of workaround to make this happen. Here are a few possibly helpful links that might point you in the right direction: https://developers.google.com/analytics/solutions/google-analytics-spreadsheet-add-on https://developers.google.com/analytics/devguides/reporting/embed https://developers.google.com/analytics/solutions/report-automation-magic
{ "language": "en", "url": "https://stackoverflow.com/questions/25130301", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "3" }
Q: Not able to invoke a spark application using a java class on cluster Below is my project's structure: spark-application: scala1.scala // I am calling the java class from this class. java.java // this will submit another spark application to the yarn cluster. The spark-application that is being triggered by java class: scala2.scala My reference tutorial is here When I run my java class from scala1.scala via spark-submit in the local mode the second spark application scala2.scala is getting triggered and working as expected. But, when I run the same application via spark-submit in yarn cluster it is showing the below error! Error: Could not find or load main class org.apache.spark.deploy.yarn.ApplicationMaster Application application_1493671618562_0072 failed 5 times due to AM Container for appattempt_1493671618562_0072_000005 exited with exitCode: 1 For more detailed output, check the application tracking page: http://headnode.internal.cloudapp.net:8088/cluster/app/application_1493671618562_0072 Then click on links to logs of each attempt. Diagnostics: Exception from container-launch. Container id: container_e02_1493671618562_0072_05_000001 Exit code: 1 Exception message: /mnt/resource/hadoop/yarn/local/usercache/helixuser/appcache/application_1493671618562_0072/container_e02_1493671618562_0072_05_000001/launch_container.sh: line 26: $PWD:$PWD/spark_conf:$PWD/spark.jar:$HADOOP_CONF_DIR:/usr/hdp/current/hadoop-client/:/usr/hdp/current/hadoop-client/lib/:/usr/hdp/current/hadoop-hdfs-client/:/usr/hdp/current/hadoop-hdfs-client/lib/:/usr/hdp/current/hadoop-yarn-client/:/usr/hdp/current/hadoop-yarn-client/lib/:$PWD/mr-framework/hadoop/share/hadoop/mapreduce/:$PWD/mr-framework/hadoop/share/hadoop/mapreduce/lib/:$PWD/mr-framework/hadoop/share/hadoop/common/:$PWD/mr-framework/hadoop/share/hadoop/common/lib/:$PWD/mr-framework/hadoop/share/hadoop/yarn/:$PWD/mr-framework/hadoop/share/hadoop/yarn/lib/:$PWD/mr-framework/hadoop/share/hadoop/hdfs/:$PWD/mr-framework/hadoop/share/hadoop/hdfs/lib/:$PWD/mr-framework/hadoop/share/hadoop/tools/lib/:/usr/hdp/${hdp.version}/hadoop/lib/hadoop-lzo-0.6.0.${hdp.version}.jar:/etc/hadoop/conf/secure: bad substitution Stack trace: ExitCodeException exitCode=1: /mnt/resource/hadoop/yarn/local/usercache/helixuser/appcache/application_1493671618562_0072/container_e02_1493671618562_0072_05_000001/launch_container.sh: line 26: $PWD:$PWD/spark_conf:$PWD/spark.jar:$HADOOP_CONF_DIR:/usr/hdp/current/hadoop-client/:/usr/hdp/current/hadoop-client/lib/:/usr/hdp/current/hadoop-hdfs-client/:/usr/hdp/current/hadoop-hdfs-client/lib/:/usr/hdp/current/hadoop-yarn-client/:/usr/hdp/current/hadoop-yarn-client/lib/:$PWD/mr-framework/hadoop/share/hadoop/mapreduce/:$PWD/mr-framework/hadoop/share/hadoop/mapreduce/lib/:$PWD/mr-framework/hadoop/share/hadoop/common/:$PWD/mr-framework/hadoop/share/hadoop/common/lib/:$PWD/mr-framework/hadoop/share/hadoop/yarn/:$PWD/mr-framework/hadoop/share/hadoop/yarn/lib/:$PWD/mr-framework/hadoop/share/hadoop/hdfs/:$PWD/mr-framework/hadoop/share/hadoop/hdfs/lib/:$PWD/mr-framework/hadoop/share/hadoop/tools/lib/:/usr/hdp/${hdp.version}/hadoop/lib/hadoop-lzo-0.6.0.${hdp.version}.jar:/etc/hadoop/conf/secure: bad substitution at org.apache.hadoop.util.Shell.runCommand(Shell.java:933) at org.apache.hadoop.util.Shell.run(Shell.java:844) at org.apache.hadoop.util.Shell$ShellCommandExecutor.execute(Shell.java:1123) at org.apache.hadoop.yarn.server.nodemanager.DefaultContainerExecutor.launchContainer(DefaultContainerExecutor.java:225) at org.apache.hadoop.yarn.server.nodemanager.containermanager.launcher.ContainerLaunch.call(ContainerLaunch.java:317) at org.apache.hadoop.yarn.server.nodemanager.containermanager.launcher.ContainerLaunch.call(ContainerLaunch.java:83) at java.util.concurrent.FutureTask.run(FutureTask.java:266) at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) at java.lang.Thread.run(Thread.java:745) Container exited with a non-zero exit code 1 Failing this attempt. Failing the application. My project's directory structure is given below: lrwxrwxrwx 1 yarn hadoop 95 May 5 06:03 __app__.jar -> /mnt/resource/hadoop/yarn/local/filecache/10/sparkfiller-1.0-SNAPSHOT-jar-with-dependencies.jar -rw-r--r-- 1 yarn hadoop 74 May 5 06:03 container_tokens -rwx------ 1 yarn hadoop 710 May 5 06:03 default_container_executor_session.sh -rwx------ 1 yarn hadoop 764 May 5 06:03 default_container_executor.sh -rwx------ 1 yarn hadoop 6433 May 5 06:03 launch_container.sh lrwxrwxrwx 1 yarn hadoop 102 May 5 06:03 __spark_conf__ -> /mnt/resource/hadoop/yarn/local/usercache/helixuser/filecache/80/__spark_conf__6125877397366945561.zip lrwxrwxrwx 1 yarn hadoop 125 May 5 06:03 __spark__.jar -> /mnt/resource/hadoop/yarn/local/usercache/helixuser/filecache/81/spark-assembly-1.6.3.2.5.4.0-121-hadoop2.7.3.2.5.4.0-121.jar drwx--x--- 2 yarn hadoop 4096 May 5 06:03 tmp find -L . -maxdepth 5 -ls: 3933556 4 drwx--x--- 3 yarn hadoop 4096 May 5 06:03 . 3933558 4 drwx--x--- 2 yarn hadoop 4096 May 5 06:03 ./tmp 3933562 4 -rw-r--r-- 1 yarn hadoop 60 May 5 06:03 ./.launch_container.sh.crc 3933517 185944 -r-x------ 1 yarn hadoop 190402950 May 5 06:03 ./__spark__.jar 3933564 4 -rw-r--r-- 1 yarn hadoop 16 May 5 06:03 ./.default_container_executor_session.sh.crc 3933518 4 drwx------ 2 yarn hadoop 4096 May 5 06:03 ./__spark_conf__ 3933548 4 -r-x------ 1 yarn hadoop 945 May 5 06:03 ./__spark_conf__/taskcontroller.cfg 3933543 4 -r-x------ 1 yarn hadoop 249 May 5 06:03 ./__spark_conf__/slaves 3933541 4 -r-x------ 1 yarn hadoop 2316 May 5 06:03 ./__spark_conf__/ssl-client.xml.example 3933520 4 -r-x------ 1 yarn hadoop 1734 May 5 06:03 ./__spark_conf__/log4j.properties 3933526 4 -r-x------ 1 yarn hadoop 265 May 5 06:03 ./__spark_conf__/hadoop-metrics2-azure-file-system.properties 3933536 4 -r-x------ 1 yarn hadoop 1045 May 5 06:03 ./__spark_conf__/container-executor.cfg 3933519 8 -r-x------ 1 yarn hadoop 5685 May 5 06:03 ./__spark_conf__/hadoop-env.sh 3933531 4 -r-x------ 1 yarn hadoop 2358 May 5 06:03 ./__spark_conf__/topology_script.py 3933547 8 -r-x------ 1 yarn hadoop 4113 May 5 06:03 ./__spark_conf__/mapred-queues.xml.template 3933528 4 -r-x------ 1 yarn hadoop 744 May 5 06:03 ./__spark_conf__/ssl-client.xml 3933544 4 -r-x------ 1 yarn hadoop 417 May 5 06:03 ./__spark_conf__/topology_mappings.data 3933549 4 -r-x------ 1 yarn hadoop 342 May 5 06:03 ./__spark_conf__/__spark_conf__.properties 3933523 4 -r-x------ 1 yarn hadoop 247 May 5 06:03 ./__spark_conf__/hadoop-metrics2-adl-file-system.properties 3933535 4 -r-x------ 1 yarn hadoop 1020 May 5 06:03 ./__spark_conf__/commons-logging.properties 3933525 24 -r-x------ 1 yarn hadoop 22138 May 5 06:03 ./__spark_conf__/yarn-site.xml 3933529 4 -r-x------ 1 yarn hadoop 2450 May 5 06:03 ./__spark_conf__/capacity-scheduler.xml 3933538 4 -r-x------ 1 yarn hadoop 2490 May 5 06:03 ./__spark_conf__/hadoop-metrics.properties 3933534 12 -r-x------ 1 yarn hadoop 8754 May 5 06:03 ./__spark_conf__/hdfs-site.xml 3933533 8 -r-x------ 1 yarn hadoop 4261 May 5 06:03 ./__spark_conf__/yarn-env.sh 3933532 4 -r-x------ 1 yarn hadoop 1335 May 5 06:03 ./__spark_conf__/configuration.xsl 3933530 4 -r-x------ 1 yarn hadoop 758 May 5 06:03 ./__spark_conf__/mapred-site.xml.template 3933545 4 -r-x------ 1 yarn hadoop 1000 May 5 06:03 ./__spark_conf__/ssl-server.xml 3933527 8 -r-x------ 1 yarn hadoop 4680 May 5 06:03 ./__spark_conf__/core-site.xml 3933522 8 -r-x------ 1 yarn hadoop 5783 May 5 06:03 ./__spark_conf__/hadoop-metrics2.properties 3933542 4 -r-x------ 1 yarn hadoop 1308 May 5 06:03 ./__spark_conf__/hadoop-policy.xml 3933540 4 -r-x------ 1 yarn hadoop 1602 May 5 06:03 ./__spark_conf__/health_check 3933537 8 -r-x------ 1 yarn hadoop 4221 May 5 06:03 ./__spark_conf__/task-log4j.properties 3933521 8 -r-x------ 1 yarn hadoop 7596 May 5 06:03 ./__spark_conf__/mapred-site.xml 3933546 4 -r-x------ 1 yarn hadoop 2697 May 5 06:03 ./__spark_conf__/ssl-server.xml.example 3933539 4 -r-x------ 1 yarn hadoop 752 May 5 06:03 ./__spark_conf__/mapred-env.sh 3932820 135852 -r-xr-xr-x 1 yarn hadoop 139105807 May 4 22:53 ./__app__.jar 3933566 4 -rw-r--r-- 1 yarn hadoop 16 May 5 06:03 ./.default_container_executor.sh.crc 3933563 4 -rwx------ 1 yarn hadoop 710 May 5 06:03 ./default_container_executor_session.sh 3933559 4 -rw-r--r-- 1 yarn hadoop 74 May 5 06:03 ./container_tokens 3933565 4 -rwx------ 1 yarn hadoop 764 May 5 06:03 ./default_container_executor.sh 3933560 4 -rw-r--r-- 1 yarn hadoop 12 May 5 06:03 ./.container_tokens.crc 3933561 8 -rwx------ 1 yarn hadoop 6433 May 5 06:03 ./launch_container.sh broken symlinks(find -L . -maxdepth 5 -type l -ls): Below is the java code that invokes the second Spark application: import org.apache.spark.deploy.yarn.Client; import org.apache.spark.deploy.yarn.ClientArguments; import org.apache.hadoop.conf.Configuration; import org.apache.spark.SparkConf; import org.apache.spark.SparkException; public class CallingSparkJob { public void submitJob(String latestreceivedpitrL,String newPtr) throws Exception { System.out.println("In submit job method"); try{ System.out.println("Building a spark command"); // prepare arguments to be passed to // org.apache.spark.deploy.yarn.Client object String[] args = new String[] { // the name of your application "--name", "name", // "--master", // "yarn", // "--deploy-mode", // "cluster", // "--conf", "spark.yarn.executor.memoryOverhead=600", "--conf", "spark.yarn.submit.waitAppCompletion=false", // memory for driver (optional) "--driver-memory", "1000M", "--num-executors", "2", "--executor-cores", "2", // path to your application's JAR file // required in yarn-cluster mode "--jar", "wasb://[email protected]/user/ankushuser/sparkfiller/sparkfiller-1.0-SNAPSHOT-jar-with-dependencies.jar", // name of your application's main class (required) "--class", "com.test.SparkFiller", // comma separated list of local jars that want // SparkContext.addJar to work with // "--addJars", // "/Users/mparsian/zmp/github/data-algorithms-book/lib/spark-assembly-1.5.2-hadoop2.6.0.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/log4j-1.2.17.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/junit-4.12-beta-2.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/jsch-0.1.42.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/JeraAntTasks.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/jedis-2.5.1.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/jblas-1.2.3.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/hamcrest-all-1.3.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/guava-18.0.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-math3-3.0.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-math-2.2.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-logging-1.1.1.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-lang3-3.4.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-lang-2.6.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-io-2.1.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-httpclient-3.0.1.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-daemon-1.0.5.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-configuration-1.6.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-collections-3.2.1.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/commons-cli-1.2.jar,/Users/mparsian/zmp/github/data-algorithms-book/lib/cloud9-1.3.2.jar", // argument 1 for latestreceivedpitrL "--arg", latestreceivedpitrL, // argument 2 for newPtr "--arg", newPtr, "--arg", "yarn-cluster" }; System.out.println("create a Hadoop Configuration object"); // create a Hadoop Configuration object Configuration config = new Configuration(); // identify that you will be using Spark as YARN mode System.setProperty("SPARK_YARN_MODE", "true"); // create an instance of SparkConf object SparkConf sparkConf = new SparkConf(); sparkConf.setSparkHome("/usr/hdp/current/spark-client"); // sparkConf.setMaster("yarn"); sparkConf.setMaster("yarn-cluster"); // sparkConf.setAppName("spark-yarn"); // sparkConf.set("master", "yarn"); // sparkConf.set("spark.submit.deployMode", "cluster"); // worked // create ClientArguments, which will be passed to Client // ClientArguments cArgs = new ClientArguments(args); ClientArguments cArgs = new ClientArguments(args, sparkConf); // create an instance of yarn Client client Client client = new Client(cArgs, config, sparkConf); // submit Spark job to YARN client.run(); }catch(Exception e){ System.out.println("Error submitting spark Job"); System.out.println(e.getMessage()); } } } The spark-submit command used to run the first spark application locally: spark-submit --class scala1 --master yarn --deploy-mode cluster --num-executors 2 --executor-cores 2 --conf spark.yarn.executor.memoryOverhead=600 --conf spark.yarn.submit.waitAppCompletion=false /home/ankushuser/kafka_retry/kafka_retry_test/sparkflightaware/target/sparkflightaware-0.0.1-SNAPSHOT-jar-with-dependencies.jar If I run this spark-submit command locally it is invoking the java class and the spark-submit command for the second scala2 application is working fine. If I run it in yarn mode, then I am facing the issue. Thank you for your help. A: Since there's a bounty, I'll repost this as a reply as well -- but in reality I would like to flag this as a duplicate, since the actual Exception is the one covered in another question, and answered: It is caused by hdp.version not getting substituted correctly. You have to set hdp.version in the file java-opts under $SPARK_HOME/conf. Alternatively, use --driver-java-options="-Dhdp.version=INSERT_VERSION_STRING_HERE" --conf "spark.executor.extraJavaOptions=-Dhdp.version=INSERT_VERSION_STRING_HERE" in your spark-submit and make sure to use the correct version string, as in the subdirectory of /usr/hdp. If you want to stick with calling client.submit from your code, then you need to put those lines into the --arg you build in your code.
{ "language": "en", "url": "https://stackoverflow.com/questions/43798443", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "10" }
Q: Why there is no output to the framebuffer's textures? Here is the code: int main(){ //init gl environment //... //create textures for pass 1 GLuint normal_color_output; glCreateTextures(GL_TEXTURE_2D_MULTISAMPLE, 1, &normal_color_output); glTextureStorage2DMultisample(normal_color_output, 8, GL_RGBA32F, 1000, 800, GL_TRUE); GLuint high_color_output; glCreateTextures(GL_TEXTURE_2D_MULTISAMPLE, 1, &high_color_output); glTextureStorage2DMultisample(high_color_output,8, GL_R11F_G11F_B10F, 1000, 800,GL_TRUE); //init framebuffer GLuint render_buffer; glCreateRenderbuffers(1, &render_buffer); glNamedRenderbufferStorageMultisample(render_buffer, 8, GL_DEPTH24_STENCIL8, 1000, 800); GLuint framebuffer; glCreateFramebuffers(1, &framebuffer); glNamedFramebufferTexture(framebuffer, GL_COLOR_ATTACHMENT0, normal_color_output,0); glNamedFramebufferTexture(framebuffer, GL_COLOR_ATTACHMENT1, high_color_output, 0); glNamedFramebufferRenderbuffer(framebuffer, GL_DEPTH_STENCIL_ATTACHMENT, GL_RENDERBUFFER, render_buffer); const GLenum drawbuffers[] = {GL_COLOR_ATTACHMENT0,GL_COLOR_ATTACHMENT1}; glNamedFramebufferDrawBuffers(framebuffer, 2, drawbuffers); glBindFramebuffer(GL_FRAMEBUFFER, framebuffer); //init another framebuffer //What I want to do is trying to achieve implementing my own msaa color resolve solution. GLuint mix_framebuffer; glCreateFramebuffers(1, &mix_framebuffer); GLuint mix_renderbuffer; glCreateRenderbuffers(1, &mix_renderbuffer); glNamedRenderbufferStorage(mix_renderbuffer, GL_DEPTH24_STENCIL8, 1000, 800); GLuint normal_antialiasing_texture, hdr_antialiasing_texture; glCreateTextures(GL_TEXTURE_2D, 1, &normal_antialiasing_texture); glTextureStorage2D(normal_antialiasing_texture, 1, GL_RGBA32F, 1000, 800); glCreateTextures(GL_TEXTURE_2D, 1, &hdr_antialiasing_texture); glTextureStorage2D(hdr_antialiasing_texture, 1, GL_RGBA32F, 1000, 800); glNamedFramebufferTexture(mix_framebuffer, GL_COLOR_ATTACHMENT0, normal_antialiasing_texture, 0); glNamedFramebufferTexture(mix_framebuffer, GL_COLOR_ATTACHMENT1, hdr_antialiasing_texture, 0); glNamedFramebufferDrawBuffers(mix_framebuffer,2, drawbuffers); glNamedFramebufferRenderbuffer(mix_framebuffer, GL_DEPTH_STENCIL_ATTACHMENT, GL_RENDERBUFFER, mix_renderbuffer); glBindFramebuffer(GL_FRAMEBUFFER, mix_framebuffer); //.... //draw commands while (!glfwWindowShouldClose(window)) { // pass 1 glBindFramebuffer(GL_FRAMEBUFFER, framebuffer); glClear(GL_COLOR_BUFFER_BIT|GL_DEPTH_BUFFER_BIT); glUseProgram(program); glUniformMatrix4fv(3, 1, GL_FALSE, glm::value_ptr(camera.GetViewMat())); model.Render(program); glPointSize(20.f); glUseProgram(light_shader);// I draw a point to show the light's position glUniformMatrix4fv(0, 1, GL_FALSE, glm::value_ptr(camera.GetViewMat())); glDrawArrays(GL_POINTS, 0, 1); //pass 2 glBindFramebuffer(GL_FRAMEBUFFER, mix_framebuffer); glUseProgram(mix_program); glBindTextureUnit(0, normal_color_output); glBindTextureUnit(1, high_color_output); glClear(GL_COLOR_BUFFER_BIT); glNamedFramebufferDrawBuffers(mix_framebuffer, 2, drawbuffers); glDrawArrays(GL_POINTS, 0, 1); //... } } I use geometry shader to model a square, here is the code: //mix_gs.glsl #version 450 core layout(points) in; layout(triangle_strip) out; layout(max_vertices = 4) out; void main(){ gl_Position = vec4(-1,1,-1,1); EmitVertex(); gl_Position = vec4(-1,-1,-1,1); EmitVertex(); gl_Position = vec4(1,1,-1,1); EmitVertex(); gl_Position = vec4(1,-1,-1,1); EmitVertex(); EndPrimitive(); } here is the mix_fs.glsl: #version 450 core layout(location = 0)out vec4 color; layout(location = 1)out vec4 hdr_color; layout(binding = 0) uniform sampler2DMS color_sdms; layout(binding = 1) uniform sampler2DMS hdr_sdms; void main(){ /* for(int i=0;i<8;i++){ color += texelFetch(color_sdms,ivec2(gl_FragCoord.xy),i); hdr_color += vec4(texelFetch(hdr_sdms,ivec2(gl_FragCoord.xy),i).xyz,1); } */ color = vec4(1,0,0,1);//I just output a color hdr_color = vec4(0,1,0,1); } I encount a problem that I find during the draw pass 2, gl cannot outout any color to textures bind to mix_framebuffer. Here is the debugging info in RenderDoc: draw pass 1 texture output: draw pass 2's geometry output: draw pass 2 texture input: draw pass 2 texture output: You can see, draw-pass 1's output was passed to draw-pass2's pipeline successfully, but there is no output to draw-pass2's textures. I don't know why. A: If you don't see even the plain color, the first I'd recommend to check how it was discarded. There are no so many options: * *glColorMask. Highly likely it's not your case, since pass 1 works; *Wrong face culling and polygon winding order (CW, CCW). By your geometry shader, it looks like CW; *Blending options; *Depth-stencil state. I see you use glNamedRenderbufferStorage(mix_renderbuffer, GL_DEPTH24_STENCIL8, 1000, 800); What are depth-stencil settings? If everything above looks good, any glGetError messages? If it's ok, try to remove MRT for a debugging purposes and output the only color in the second pass. If it would work, probably some error in MRT + Depth buffer setup.
{ "language": "en", "url": "https://stackoverflow.com/questions/74573262", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: how to draw a line in html 30pt from either side I have a footer div that is 100% wide and 200pt high. I want to draw a white line that starts 30pt in from both the left and the right 25pt from the bottom. I have playing about with a div 1px high and positioning it with the following but to now avail. #HPFooterlinebreak{ position:absolute; bottom:25pt; right:30pt; left:30pt; background-color:#EFF1EF; height:1px; width:100%; } Just to be clear the div above is not the one 200pt high. Thanks A: Why not use a positioned pseudo element with a suitably applied border? pseudo-elements are added to selectors but instead of describing a special state, they allow you to style certain parts of a document You may also want to use the semantic footer element (if appropriate) footer { background: black; height: 200pt; position: relative; } footer:after { content: ''; position: absolute; left: 30pt; right: 30pt; bottom: 25pt; border-top: 1px solid white; } <footer></footer> A: You're almost there. You don't need the width. Also, if you use position: absolute to position the element inside its parent, then you must also add position: relative or position: absolute to the parent itself. By the way, if this white line is just for show, you might as well use a pseudo-element for it and keep the HTML simple. But if you like to, you might as well change .footer:before back to #HPFooterlinebreak. .footer { background-color: blue; position: relative; height: 200px; } .footer:before{ content: ""; position:absolute; bottom:25pt; right:30pt; left:30pt; background-color:#EFF1EF; height:1px; } <div class="footer"> Yo </div>
{ "language": "en", "url": "https://stackoverflow.com/questions/27692557", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to prevent Mocha from preserving require cache between test files? I am running my integration test cases in separate files for each API. Before it begins I start the server along with all services, like databases. When it ends, I close all connections. I use Before and After hooks for that purpose. It is important to know that my application depends on an enterprise framework where most "core work" is written and I install it as a dependency of my application. I run the tests with Mocha. When the first file runs, I see no problems. When the second file runs I get a lot of errors related to database connections. I tried to fix it in many different ways, most of them failed because of the limitations the Framework imposed me. Debugging I found out that Mocha actually loads all files first, that means that all code written before the hooks and the describe calls is executed. So when the second file is loaded, the require.cache is already full of modules. Only after that the suite executes the tests sequentially. That has a huge impact in this Framework because many objects are actually Singletons, so if in a after hook it closes a connection with a database, it closes the connection inside the Singleton. The way the Framework was built makes it very hard to give a workaround to this problem, like reconnecting to all services in the before hook. I wrote a very ugly code that helps me before I can refactor the Framework. This goes in each test file I want to invalidate the cache. function clearRequireCache() { Object.keys(require.cache).forEach(function (key) { delete require.cache[key]; }); } before(() => { clearRequireCache(); }) It is working, but seems to be very bad practice. And I don`t want this in the code. As a second idea I was thinking about running Mocha multiple times, one for each "module" (as of my Framework) or file. "scripts": { "test-integration" : "./node_modules/mocha/bin/mocha ./api/modules/module1/test/integration/*.integration.js && ./node_modules/mocha/bin/mocha ./api/modules/module2/test/integration/file1.integration.js && ./node_modules/mocha/bin/mocha ./api/modules/module2/test/integration/file2.integration.js" } I was wondering if Mocha provides a solution for this problem so I can get rid of that code and delay the code refacting a bit.
{ "language": "en", "url": "https://stackoverflow.com/questions/60732385", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "3" }
Q: Is it possible to align components horizontally when using WrapLayout/FlowLayout? I use WrapLayout which extends FlowLayout Now, I have this GUI: What I want is this: I tried some things like: label.setVerticalAlignment(JLabel.TOP); but the layout does not seem to respect it. I guess this behavior is inherited from FlowLayout? Full code: public class WrapLayoutExample { public static void main(String[] args) { SwingUtilities.invokeLater(WrapLayoutExample::runGui); } private static void runGui() { JFrame frame = new JFrame("A"); frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); JPanel panel = new JPanel(new WrapLayout()); JLabel l = new JLabel("CCC"); l.setBorder(BorderFactory.createLineBorder(Color.red, 10)); l.setVerticalAlignment(JLabel.TOP); panel.add(l); l = new JLabel("BBBB"); l.setBorder(BorderFactory.createLineBorder(Color.red, 20)); panel.add(l); frame.setLayout(new BorderLayout()); frame.add(new JScrollPane(panel)); frame.pack(); frame.setVisible(true); } } A: From @camickr's comment in my question: You should be able to write your own layout manager. Just copy the FlowLayout and replace the logic that centers the component within the row, to position the component at the top. In FlowLayout, in moveComponents method, there is this line: cy = y + (height - m.height) / 2; Changing the line to: cy = y; achieves what I want. It probably breaks the flowLayout.setAlignOnBaseline functionality. But I don't use it anyway. Layout code (WrapLayout and custom FlowLayout combined): public class WrapAndAlignHorizontallyTopLayout implements LayoutManager, java.io.Serializable { /** * This value indicates that each row of components should be left-justified. */ public static final int LEFT = 0; /** * This value indicates that each row of components should be centered. */ public static final int CENTER = 1; /** * This value indicates that each row of components should be right-justified. */ public static final int RIGHT = 2; /** * This value indicates that each row of components should be justified to the * leading edge of the container's orientation, for example, to the left in * left-to-right orientations. * * @see java.awt.Component#getComponentOrientation * @see java.awt.ComponentOrientation * @since 1.2 */ public static final int LEADING = 3; /** * This value indicates that each row of components should be justified to the * trailing edge of the container's orientation, for example, to the right in * left-to-right orientations. * * @see java.awt.Component#getComponentOrientation * @see java.awt.ComponentOrientation * @since 1.2 */ public static final int TRAILING = 4; /** * <code>align</code> is the property that determines how each row distributes * empty space. It can be one of the following values: * <ul> * <li><code>LEFT</code> * <li><code>RIGHT</code> * <li><code>CENTER</code> * </ul> * * @serial * @see #getAlignment * @see #setAlignment */ int align; // This is for 1.1 serialization compatibility /** * <code>newAlign</code> is the property that determines how each row * distributes empty space for the Java 2 platform, v1.2 and greater. It can be * one of the following three values: * <ul> * <li><code>LEFT</code> * <li><code>RIGHT</code> * <li><code>CENTER</code> * <li><code>LEADING</code> * <li><code>TRAILING</code> * </ul> * * @serial * @since 1.2 * @see #getAlignment * @see #setAlignment */ int newAlign; // This is the one we actually use /** * The flow layout manager allows a seperation of components with gaps. The * horizontal gap will specify the space between components and between the * components and the borders of the <code>Container</code>. * * @serial * @see #getHgap() * @see #setHgap(int) */ int hgap; /** * The flow layout manager allows a seperation of components with gaps. The * vertical gap will specify the space between rows and between the the rows and * the borders of the <code>Container</code>. * * @serial * @see #getHgap() * @see #setHgap(int) */ int vgap; /** * If true, components will be aligned on their baseline. */ private boolean alignOnBaseline; /* * JDK 1.1 serialVersionUID */ private static final long serialVersionUID = -7262534875583282631L; /** * Constructs a new <code>FlowLayout</code> with a centered alignment and a * default 5-unit horizontal and vertical gap. */ public WrapAndAlignHorizontallyTopLayout() { this(CENTER, 5, 5); } /** * Constructs a new <code>FlowLayout</code> with the specified alignment and a * default 5-unit horizontal and vertical gap. The value of the alignment * argument must be one of <code>FlowLayout.LEFT</code>, * <code>FlowLayout.RIGHT</code>, <code>FlowLayout.CENTER</code>, * <code>FlowLayout.LEADING</code>, or <code>FlowLayout.TRAILING</code>. * * @param align the alignment value */ public WrapAndAlignHorizontallyTopLayout(int align) { this(align, 5, 5); } /** * Creates a new flow layout manager with the indicated alignment and the * indicated horizontal and vertical gaps. * <p> * The value of the alignment argument must be one of * <code>FlowLayout.LEFT</code>, <code>FlowLayout.RIGHT</code>, * <code>FlowLayout.CENTER</code>, <code>FlowLayout.LEADING</code>, or * <code>FlowLayout.TRAILING</code>. * * @param align the alignment value * @param hgap the horizontal gap between components and between the components * and the borders of the <code>Container</code> * @param vgap the vertical gap between components and between the components * and the borders of the <code>Container</code> */ public WrapAndAlignHorizontallyTopLayout(int align, int hgap, int vgap) { this.hgap = hgap; this.vgap = vgap; setAlignment(align); } /** * Gets the alignment for this layout. Possible values are * <code>FlowLayout.LEFT</code>, <code>FlowLayout.RIGHT</code>, * <code>FlowLayout.CENTER</code>, <code>FlowLayout.LEADING</code>, or * <code>FlowLayout.TRAILING</code>. * * @return the alignment value for this layout * @see java.awt.FlowLayout#setAlignment * @since JDK1.1 */ public int getAlignment() { return newAlign; } /** * Sets the alignment for this layout. Possible values are * <ul> * <li><code>FlowLayout.LEFT</code> * <li><code>FlowLayout.RIGHT</code> * <li><code>FlowLayout.CENTER</code> * <li><code>FlowLayout.LEADING</code> * <li><code>FlowLayout.TRAILING</code> * </ul> * * @param align one of the alignment values shown above * @see #getAlignment() * @since JDK1.1 */ public void setAlignment(int align) { this.newAlign = align; // this.align is used only for serialization compatibility, // so set it to a value compatible with the 1.1 version // of the class switch (align) { case LEADING: this.align = LEFT; break; case TRAILING: this.align = RIGHT; break; default: this.align = align; break; } } /** * Gets the horizontal gap between components and between the components and the * borders of the <code>Container</code> * * @return the horizontal gap between components and between the components and * the borders of the <code>Container</code> * @see java.awt.FlowLayout#setHgap * @since JDK1.1 */ public int getHgap() { return hgap; } /** * Sets the horizontal gap between components and between the components and the * borders of the <code>Container</code>. * * @param hgap the horizontal gap between components and between the components * and the borders of the <code>Container</code> * @see java.awt.FlowLayout#getHgap * @since JDK1.1 */ public void setHgap(int hgap) { this.hgap = hgap; } /** * Gets the vertical gap between components and between the components and the * borders of the <code>Container</code>. * * @return the vertical gap between components and between the components and * the borders of the <code>Container</code> * @see java.awt.FlowLayout#setVgap * @since JDK1.1 */ public int getVgap() { return vgap; } /** * Sets the vertical gap between components and between the components and the * borders of the <code>Container</code>. * * @param vgap the vertical gap between components and between the components * and the borders of the <code>Container</code> * @see java.awt.FlowLayout#getVgap * @since JDK1.1 */ public void setVgap(int vgap) { this.vgap = vgap; } /** * Sets whether or not components should be vertically aligned along their * baseline. Components that do not have a baseline will be centered. The * default is false. * * @param alignOnBaseline whether or not components should be vertically aligned * on their baseline * @since 1.6 */ public void setAlignOnBaseline(boolean alignOnBaseline) { this.alignOnBaseline = alignOnBaseline; } /** * Returns true if components are to be vertically aligned along their baseline. * The default is false. * * @return true if components are to be vertically aligned along their baseline * @since 1.6 */ public boolean getAlignOnBaseline() { return alignOnBaseline; } /** * Adds the specified component to the layout. Not used by this class. * * @param name the name of the component * @param comp the component to be added */ @Override public void addLayoutComponent(String name, Component comp) { } /** * Removes the specified component from the layout. Not used by this class. * * @param comp the component to remove * @see java.awt.Container#removeAll */ @Override public void removeLayoutComponent(Component comp) { } /** * Returns the preferred dimensions for this layout given the <i>visible</i> * components in the specified target container. * * @param target the component which needs to be laid out * @return the preferred dimensions to lay out the subcomponents of the * specified container */ @Override public Dimension preferredLayoutSize(Container target) { return layoutSize(target, true); } /** * Returns the minimum dimensions needed to layout the <i>visible</i> components * contained in the specified target container. * * @param target the component which needs to be laid out * @return the minimum dimensions to lay out the subcomponents of the specified * container */ @Override public Dimension minimumLayoutSize(Container target) { Dimension minimum = layoutSize(target, false); minimum.width -= (getHgap() + 1); return minimum; } /** * Returns the minimum or preferred dimension needed to layout the target * container. * * @param target target to get layout size for * @param preferred should preferred size be calculated * @return the dimension to layout the target container */ private Dimension layoutSize(Container target, boolean preferred) { synchronized (target.getTreeLock()) { // Each row must fit with the width allocated to the containter. // When the container width = 0, the preferred width of the container // has not yet been calculated so lets ask for the maximum. int targetWidth = target.getSize().width; Container container = target; while (container.getSize().width == 0 && container.getParent() != null) { container = container.getParent(); } targetWidth = container.getSize().width; if (targetWidth == 0) targetWidth = Integer.MAX_VALUE; int hgap = getHgap(); int vgap = getVgap(); Insets insets = target.getInsets(); int horizontalInsetsAndGap = insets.left + insets.right + (hgap * 2); int maxWidth = targetWidth - horizontalInsetsAndGap; // Fit components into the allowed width Dimension dim = new Dimension(0, 0); int rowWidth = 0; int rowHeight = 0; int nmembers = target.getComponentCount(); for (int i = 0; i < nmembers; i++) { Component m = target.getComponent(i); if (m.isVisible()) { Dimension d = preferred ? m.getPreferredSize() : m.getMinimumSize(); // Can't add the component to current row. Start a new row. if (rowWidth + d.width > maxWidth) { addRow(dim, rowWidth, rowHeight); rowWidth = 0; rowHeight = 0; } // Add a horizontal gap for all components after the first if (rowWidth != 0) { rowWidth += hgap; } rowWidth += d.width; rowHeight = Math.max(rowHeight, d.height); } } addRow(dim, rowWidth, rowHeight); dim.width += horizontalInsetsAndGap; dim.height += insets.top + insets.bottom + vgap * 2; // When using a scroll pane or the DecoratedLookAndFeel we need to // make sure the preferred size is less than the size of the // target containter so shrinking the container size works // correctly. Removing the horizontal gap is an easy way to do this. Container scrollPane = SwingUtilities.getAncestorOfClass(JScrollPane.class, target); if (scrollPane != null && target.isValid()) { dim.width -= (hgap + 1); } return dim; } } /* * A new row has been completed. Use the dimensions of this row to update the * preferred size for the container. * * @param dim update the width and height when appropriate * * @param rowWidth the width of the row to add * * @param rowHeight the height of the row to add */ private void addRow(Dimension dim, int rowWidth, int rowHeight) { dim.width = Math.max(dim.width, rowWidth); if (dim.height > 0) { dim.height += getVgap(); } dim.height += rowHeight; } /** * Centers the elements in the specified row, if there is any slack. * * @param target the component which needs to be moved * @param x the x coordinate * @param y the y coordinate * @param width the width dimensions * @param height the height dimensions * @param rowStart the beginning of the row * @param rowEnd the the ending of the row * @param useBaseline Whether or not to align on baseline. * @param ascent Ascent for the components. This is only valid if * useBaseline is true. * @param descent Ascent for the components. This is only valid if * useBaseline is true. * @return actual row height */ private int moveComponents(Container target, int x, int y, int width, int height, int rowStart, int rowEnd, boolean ltr, boolean useBaseline, int[] ascent, int[] descent) { switch (newAlign) { case LEFT: x += ltr ? 0 : width; break; case CENTER: x += width / 2; break; case RIGHT: x += ltr ? width : 0; break; case LEADING: break; case TRAILING: x += width; break; } int maxAscent = 0; int nonbaselineHeight = 0; int baselineOffset = 0; if (useBaseline) { int maxDescent = 0; for (int i = rowStart; i < rowEnd; i++) { Component m = target.getComponent(i); if (m.isVisible()) { if (ascent[i] >= 0) { maxAscent = Math.max(maxAscent, ascent[i]); maxDescent = Math.max(maxDescent, descent[i]); } else { nonbaselineHeight = Math.max(m.getHeight(), nonbaselineHeight); } } } height = Math.max(maxAscent + maxDescent, nonbaselineHeight); baselineOffset = (height - maxAscent - maxDescent) / 2; } for (int i = rowStart; i < rowEnd; i++) { Component m = target.getComponent(i); if (m.isVisible()) { int cy; if (useBaseline && ascent[i] >= 0) { cy = y + baselineOffset + maxAscent - ascent[i]; } else { cy = y; } if (ltr) { m.setLocation(x, cy); } else { m.setLocation(target.getWidth() - x - m.getWidth(), cy); } x += m.getWidth() + hgap; } } return height; } /** * Lays out the container. This method lets each <i>visible</i> component take * its preferred size by reshaping the components in the target container in * order to satisfy the alignment of this <code>FlowLayout</code> object. * * @param target the specified component being laid out * @see Container * @see java.awt.Container#doLayout */ @Override public void layoutContainer(Container target) { synchronized (target.getTreeLock()) { Insets insets = target.getInsets(); int maxwidth = target.getWidth() - (insets.left + insets.right + hgap * 2); int nmembers = target.getComponentCount(); int x = 0, y = insets.top + vgap; int rowh = 0, start = 0; boolean ltr = target.getComponentOrientation().isLeftToRight(); boolean useBaseline = getAlignOnBaseline(); int[] ascent = null; int[] descent = null; if (useBaseline) { ascent = new int[nmembers]; descent = new int[nmembers]; } for (int i = 0; i < nmembers; i++) { Component m = target.getComponent(i); if (m.isVisible()) { Dimension d = m.getPreferredSize(); m.setSize(d.width, d.height); if (useBaseline) { int baseline = m.getBaseline(d.width, d.height); if (baseline >= 0) { ascent[i] = baseline; descent[i] = d.height - baseline; } else { ascent[i] = -1; } } if ((x == 0) || ((x + d.width) <= maxwidth)) { if (x > 0) { x += hgap; } x += d.width; rowh = Math.max(rowh, d.height); } else { rowh = moveComponents(target, insets.left + hgap, y, maxwidth - x, rowh, start, i, ltr, useBaseline, ascent, descent); x = d.width; y += vgap + rowh; rowh = d.height; start = i; } } } moveComponents(target, insets.left + hgap, y, maxwidth - x, rowh, start, nmembers, ltr, useBaseline, ascent, descent); } } // // the internal serial version which says which version was written // - 0 (default) for versions before the Java 2 platform, v1.2 // - 1 for version >= Java 2 platform v1.2, which includes "newAlign" field // private static final int currentSerialVersion = 1; /** * This represent the <code>currentSerialVersion</code> which is bein used. It * will be one of two values : <code>0</code> versions before Java 2 platform * v1.2.. <code>1</code> versions after Java 2 platform v1.2.. * * @serial * @since 1.2 */ private int serialVersionOnStream = currentSerialVersion; /** * Reads this object out of a serialization stream, handling objects written by * older versions of the class that didn't contain all of the fields we use * now.. */ private void readObject(ObjectInputStream stream) throws IOException, ClassNotFoundException { stream.defaultReadObject(); if (serialVersionOnStream < 1) { // "newAlign" field wasn't present, so use the old "align" field. setAlignment(this.align); } serialVersionOnStream = currentSerialVersion; } /** * Returns a string representation of this <code>FlowLayout</code> object and * its values. * * @return a string representation of this layout */ @Override public String toString() { String str = ""; switch (align) { case LEFT: str = ",align=left"; break; case CENTER: str = ",align=center"; break; case RIGHT: str = ",align=right"; break; case LEADING: str = ",align=leading"; break; case TRAILING: str = ",align=trailing"; break; } return getClass().getName() + "[hgap=" + hgap + ",vgap=" + vgap + str + "]"; } } Example code: public class WrapLayoutExample { public static void main(String[] args) { SwingUtilities.invokeLater(WrapLayoutExample::runGui); } private static void runGui() { JFrame frame = new JFrame("A"); frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); JPanel panel = new JPanel(new WrapAndAlignHorizontallyTopLayout()); JLabel l = new JLabel("CCC"); l.setBorder(BorderFactory.createLineBorder(Color.red, 10)); l.setVerticalAlignment(JLabel.TOP); panel.add(l); for (int i = 0; i < 44; i++) { l = new JLabel("BBBB"); l.setBorder(BorderFactory.createLineBorder(Color.red, (int) (Math.random() * 50))); panel.add(l); } frame.setSize(300, 300); frame.setLayout(new BorderLayout()); frame.add(new JScrollPane(panel)); frame.setVisible(true); } } Result:
{ "language": "en", "url": "https://stackoverflow.com/questions/68612054", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "4" }
Q: Bootstrap modals not working I am trying to get modals from bootstrap to work but for some reason it is showing up like this: This is the default code I used from the bootstrap documentation: <!-- Button trigger modal --> <button type="button" class="btn btn-primary btn-lg" data-toggle="modal" data-target="#myModal"> Launch demo modal </button> <!-- Modal --> <div class="modal fade" id="myModal" tabindex="-1" role="dialog" aria-labelledby="myModalLabel" aria-hidden="true"> <div class="modal-dialog"> <div class="modal-content"> <div class="modal-header"> <button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true">&times;</span></button> <h4 class="modal-title" id="myModalLabel">Modal title</h4> </div> <div class="modal-body"> ... </div> <div class="modal-footer"> <button type="button" class="btn btn-default" data-dismiss="modal">Close</button> <button type="button" class="btn btn-primary">Save changes</button> </div> </div> </div> </div> Thanks in advance! A: Have you initialized the modal with javascript? All you need is JQuery, the bootstrap CSS file, and the bootstrap JS file. Then add this code in a <script> tag at the bottom of your page! $(document).ready(function () { $('#myModal').modal(); }); A: ** Fixed just putting this here to close it ;D i used the wrong CDN
{ "language": "en", "url": "https://stackoverflow.com/questions/28419284", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Multiple for loops to parse XML to CSV not working I want to write a code that can be used on different XML files (all with TEI encoding) to see if specific elements and attributes appear, how often they appear and in what context). To do this I have written the following code: from logging import root import xml.etree.ElementTree as ET import csv f = open('orestes-elements.csv', 'w', encoding="utf-8") writer = csv.writer(f) writer.writerow(["Note Attributes", "Note Text", "Responsibility", "Certainty Element", "Certainty Attributes", "Certainty Text"]) tree = ET.parse(r"C:\Users\noahb\OneDrive\Desktop\Humboldt\Semester 2\Daten\Hausarbeit-TEI\edition-euripides\Orestes.xml") root = tree.getroot() try: for note in root.findall('.//note'): noteat = note.attrib notetext = note.text print(noteat) print(notetext) #attribute search for responsibility in root.findall(".//*[@resp]"): responsibilities = str(responsibility.tag, responsibility.attrib, responsibility.text) for certainty in root.findall(".//*[@cert]"): certaintytag = certainty.tag certaintyat = certainty.attrib certaintytext = certainty.text writer.writerow([noteat, notetext, responsibilities, certaintytag, certaintyat, certaintytext]) finally: f.close() I get the error "NameError: name 'noteat' is not defined". I can indent writer.writerrow but the information from the other for loop doesnt get added. How do I get the information from the different for loops into my CSV file? Help would be greatly appreciated? (The print() in the for loops gives me the right results and with responsibilities I tried making it all one string but that isnt necessary I am just trying out different solutions - none work until now). This is an example of my XML file: (some of the elements and attributes will not appear in some of the files - might this be a reason form the errors?) <?xml version="1.0" encoding="UTF-8"?> <!--<TEI xmlns="http://www.tei-c.org/ns/1.0" xml:lang="grc">--> <?oxygen RNGSchema="teiScholiaSchema2021beta.rng" type="xml"?> <TEI xml:lang="grc"> <teiHeader> <titleStmt> <title cert="high">Scholia on Euripides’ Orestes 1–500</title> <author><note>Donald J.</note> Mastronarde</author> </titleStmt> </teiHeader> <text> <div1 type="subdivisionByPlay" xml:id="Orestes"> <div2 type="hypotheseis" xml:id="hypOrestes"> <head type="outer" xml:lang="en">Prefatory material (argumenta/hypotheseis) for Orestes</head> <p>Orestes, pursuing <note cert="low">(vengeance for)</note> the murder of his father, killed Aegisthus and Clytemnestra. Having dared to commit matricide he paid the penalty immediately, becoming mad. And after Tyndareus, the father of the murdered woman, brought an accusation, the Argives were about to issue a public vote about him, concerning what the man who had acted impiously should suffer. </p> </div2> </div1> </text> </TEI> Example of what CSV should look like: A: The values in your writer.writerow() will not be defined if an element is missing. You could just define some default values to avoid this. Try adding the following after the try statement: noteat, notetext, responsibilities, certaintytag, certaintyat, certaintytext = [''] * 6 You could of course have 'NA' if preferred.
{ "language": "en", "url": "https://stackoverflow.com/questions/71547668", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: I can't pass th:object to controller and mapped to pojo using @ModelAttribute I am trying to retrieve object on my controller that mapped to my POJO My POJO looks like this public interface InventoryDetailPOJO { String getItem_cd(); } And this is my form <div class="row d-flex"> <div class="p-3"> <button class="btn btn-block btn-options btn-save">Save</button> </div> </div> <form action="#" th:action="@{/stock-list/inventory-detail}" method="post" th:object="${inventoryDetail}" class="pt-3 form-inventory-detail"> <div class="form-group row"> <label for="item_cd" class="col-2 col-form-label col-form-label-sm"> <span class="pull-right">Item No</span> </label> <div class="col-10"> <input type="text" class="form-control form-control-sm w-25" th:field="*{item_cd}"> </div> </div> </form> And for my controller @RequestMapping(value = "/stock-list/inventory-detail", method = RequestMethod.POST) public ModelAndView InventoryDetailSubmitPage(ModelAndView modelAndView, @ModelAttribute("inventoryDetail") InventoryDetailPOJO inventoryDetail, @RequestParam("item_cd") String item_cd) { System.err.println("InventoryDetail: " + inventoryDetail); System.err.println("item_cd: " + item_cd); modelAndView.setViewName("redirect:/stock-list"); return modelAndView; } There're no item on inventoryDetail when I tried to log it, but There's a value on item_cd A: Remove action="#", like this: <form th:action="@{/stock-list/inventory-detail}" method="post" th:object="${inventoryDetail}" class="pt-3 form-inventory-detail">
{ "language": "en", "url": "https://stackoverflow.com/questions/52342158", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Difference in timing when returning a resolved Promise I have a function that does a bunch of work then returns a resolved Promise. Is there a difference in the timing when each will be resolved? Option 1 function returnPromise() { // do a bunch of stuff return Promise.resolve(); } and this way: Option 2 function returnPromise() { return new Promise((resolve, reject) => { //do a bunch of stuff resolve(); }); } Does Option 1 release control after all the work is done, and Option 2 release control as soon as the function is called? I feel like this has root in the fact I don't fully understand the event loop. Thanks in advance for helping me understand this. A: Is there a difference with doing it this way? No, both your examples do the exact same thing. Promise.resolve and Promise.reject are simply static methods on the Promise Class that help you avoid constructing a whole Promise when you don't really need to. A: Is there a difference in the timing when each will be resolved? No difference. The Promise executor (the callback you pass to new Promise()) is called immediately and synchronously. So, in BOTH cases, you are immediately and synchronously returning an already resolved promise and all the code in your function has already executed. There should be no meaningful difference in execution timing. Of course, one might take slightly different number of CPU cycles to execute, but both have the exact same outcome and both immediately return a promise that is already resolved so there should be no difference to the calling code at all. Promise.resolve() is just meant as a more compact (and probably more efficient) means of creating an already resolved promise. Does Option 1 release control after all the work is done, and Option 2 release control as soon as the function is called? They both return when all your work is done and they return an already resolved promise. This is because the executor callback to new Promise() is called synchronously (before your function returns). I feel like this has root in the fact I don't fully understand the event loop. Thanks in advance for helping me understand this. In this particular circumstance, all your code is run synchronously so there is no particular involvement of the event loop. The returnPromise() function returns (in both cases) when your code in the function is done executing synchronously. There is no async code here. The event loop gets involved when you do .then() on the returned promise because even though the promise (in both cases) is already resolved, the .then() handler gets queued in the event queue and does not run until the rest of your Javascript after your .then() handler is done executing. console.log("1"); returnPromise().then(function() { console.log("2"); }); console.log("3"); This will generate identical output results: 1 3 2 with both versions of your returnPromise() function because .then() handlers are queued until the next tick of the event loop (e.g. after the rest of your current Javascript thread of execution is done).
{ "language": "en", "url": "https://stackoverflow.com/questions/46456594", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: Jquery Droppable Center Image in Div After Drop Event Hey there,i'm creating a simple inventory using jQuery droppable. For now, it's like : $(document).ready(function() { $( ".weapon, .helmet" ).draggable({ revert: "invalid", cursor: "move" }); $( "#weapon_spot" ).droppable({accept: ".weapon"}); $( "#helmet_spot" ).droppable({accept: ".helmet"}); // make inventory slots droppable as well $( ".inv_slot" ).droppable({accept: ".weapon"}); }); I'm kinda new to JQuery and have some trouble setting an image to be aligned inside a certain div. Everything(.weapon, .helmet etc) is a div. Inside them, there can be images. The divs are 70x70 and the images are of that size as well. The css is like : .inv_slot, #weapon_spot, #helmet_spot { width: 70px; padding: 10px; height: 70px; margin: 10px; border: 1px solid black; float: left; text-align: center; } and the image inside a div is like : <div class='inv_slot'> <img class='weapon' src= "..." /> </div> My problem is that when i drop an image to another div, it's not aligned in the center of the div, it's not locked and it can be moved inside it. It seems that i can use Drag.Move somehow to do that, but i can't find some good resource explaining that. Could you please help ? :) EDIT : I have created a demo at http://jsfiddle.net/kzuRn/2/ A: Add a drop callback to the droppables and apply the style changes necessary. Because right now the item is still positioned absolutely it will not recognize your center css. Something like this: WRONG (see below) drop: function(ev, ui) { $(this).css({position: 'static'}) } I updated the fiddle. I was wrong before. this is the droppable, and ui.draggable is the draggable. drop: function(ev, ui) { $(this).append(ui.draggable.css('position','static')) }
{ "language": "en", "url": "https://stackoverflow.com/questions/4739679", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: How to detect when an EditText is empty using RxTextView (RxBinding) I'm doing validation on an EditText. I want the CharSequence to be invalid if it's empty or it doesn't begin with "https://". I'm also using RxBinding, specifically RxTextView. The problem is that when there is one character left, and I then delete it leaving no characters left in the the CharSequence the map operator doesn't fire off an emission. In other words I want my map operator to return false when the EditText is empty. I'm beginning to think this may not be possible the way I'm doing it. What would be an alternative? Here is my Observable / Disposable: val systemIdDisposable = RxTextView.textChanges(binding.etSystemId) .skipInitialValue() .map { charSeq -> if (charSeq.isEmpty()) { false } else { viewModel.isSystemIdValid(charSeq.toString()) } } .subscribe { isValid -> if (!isValid) { binding.systemIdTextInputLayout.isErrorEnabled = true binding.systemIdTextInputLayout.error = viewModel.authErrorFields.value?.systemId } else { binding.systemIdTextInputLayout.isErrorEnabled = false binding.systemIdTextInputLayout.error = viewModel.authErrorFields.value?.systemId } } And here is a function in my ViewModel that I pass the CharSequence to for validation: fun isSystemIdValid(systemId: String?): Boolean { return if (systemId != null && systemId.isNotEmpty()) { _authErrors.value?.systemId = null true } else { _authErrors.value?.systemId = getApplication<Application>().resources.getString(R.string.field_empty_error) false } } A: After sleeping on it, I figured it out. I changed RxTextView.textChanges to RxTextView.textChangeEvents. This allowed me to query the CharSequence's text value (using text() method provided by textChangeEvents) even if it's empty. Due to some other changes (not really relevant to what I was asking in this question) I was also able to reduce some of the conditional code too. I'm just putting that out there in case someone comes across this and is curious about these changes. The takeaway is that you can get that empty emission using RxTextView.textChangeEvents. Here is my new Observer: val systemIdDisposable = RxTextView.textChangeEvents(binding.etSystemId) .skipInitialValue() .map { charSeq -> viewModel.isSystemIdValid(charSeq.text().toString()) } .subscribe { binding.systemIdTextInputLayout.error = viewModel.authErrors.value?.systemId } And here is my validation code from the ViewModel: fun isSystemIdValid(systemId: String?): Boolean { val auth = _authErrors.value return if (systemId != null && systemId.isNotEmpty()) { auth?.systemId = null _authErrors.value = auth true } else { auth?.systemId = getApplication<Application>().resources.getString(R.string.field_empty_error) _authErrors.value = auth false } } Lastly, if anyone is curious about how I'm using my LiveData / MutableLiveData objects; I create a private MutableLiveData object and only expose an immutable LiveData object that returns the values of the first object. I do this for better encapsulation / data hiding. Here is an example: private val _authErrors: MutableLiveData<AuthErrorFields> by lazy { MutableLiveData<AuthErrorFields>() } val authErrors: LiveData<AuthErrorFields> get() { return _authErrors } Hope this helps someone!
{ "language": "en", "url": "https://stackoverflow.com/questions/59675830", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "1" }
Q: How to include the query filter in URL (cloudSearch) I am trying to retrieve data from cloudSearch, searching for the word "Person" and adding the following filter: (prefix field=claimedgalleryid '') The problem is that I don't know how to create the URL using that exact filter. Could someone give me a suggestion or some link to Amazon documentation related to this topic? What I've tried and didn't work: ...search?q=Gallerist&size=10&start=0&fq=(prefix%20field=claimedgalleryid%20%27%27) ...search?q=Gallerist&size=10&start=0&filter=(prefix%20field=claimedgalleryid%20%27%27) A: You were close with your first attempt--it looks like you forgot to URI encode the = sign as %3D. Try this instead: &fq=(prefix+field%3Dclaimedgalleryid+'') I highly recommend using the "test search" feature to work out the kinks in your query syntax. You can see the results right there, and then use the "View Raw: JSON" link to copy the full request URL and see how characters get escaped and such.
{ "language": "en", "url": "https://stackoverflow.com/questions/49318000", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Show depth on the page edge of the book (Turn.js) https://github.com/blasten/turn.js/issues/260 http://turnjs.com/#samples/steve-jobs I tried to do the same by keeping the .own-size class on the covers, but the "display" gets set to "none" for the 'cover pages' on navigating through the book. Why is it happening like this? A: adding 'fixed' class to the cover pages solves the problem
{ "language": "en", "url": "https://stackoverflow.com/questions/22498285", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }
Q: Optional overloaded methods when overriding Case : I have an abstract class A. It contains two methods * *abstract void search(Position p); *abstract void search(Animal a); Class B and C extends A. I would like class B to implement search(Position p) only and class C to implement search(Animal a) only. However when I do so it gives an error, telling me to implement both of the method overloads. How could I solve the problem? Any help is greatly appreciated A: Here are the rules for classes extending Abstract class * *First concrete/non-abstract class must implement all methods *If abstract class extends Abstract class, it can but need not implement abstract methods. Option 1: Interface Segregation separate search(XXX) into two abstract classes Option 2: Generics. Make search a Generic Type public abstract class ClassA { public abstract <T> void search(T t); public static void main(String ...args){ ClassA classA = new ClassB(); classA.search(new Animal()); } } class Animal{ } class ClassB extends ClassA { @Override public <Animal> void search(Animal t) { System.out.println("called"); } } Option 3: Interface public class ClassA { public static void main(String... args) { Searchable classA = new ClassB(); classA.search(new Animal()); } } interface Searchable { public <T> void search(T t); } class Animal { } class ClassB implements Searchable { @Override public <Animal> void search(Animal t) { System.out.println("called"); } } Option 4: Throw UnsupportedOperationException Exception(Not recomended) class ClassB extends ClassA { @Override void search(Position p) { throw new UnsupportedOperationException("Not Supported"); } @Override void search(Animal a) { } }
{ "language": "en", "url": "https://stackoverflow.com/questions/73088384", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "-1" }
Q: How to convert "DATASET POLYDATA" vtk file to "DATASET STRUCTURED_GRID"? I have a vtk file with header like: # vtk DataFile Version 3.0 vtk output ASCII DATASET POLYDATA POINTS 1000 float now I need to convert it to a structured vtk file with header like: # vtk DataFile Version 2.0 VTK from Matlab ASCII DATASET STRUCTURED_GRID DIMENSIONS 32 32 1 POINTS 1000 float is there a program or script to convert between these two types?
{ "language": "en", "url": "https://stackoverflow.com/questions/58772435", "timestamp": "2023-03-29T00:00:00", "source": "stackexchange", "question_score": "0" }