text
stringlengths 15
59.8k
| meta
dict |
---|---|
Q: What is this new Axum programming language? I read this story on slashdot today where they announce a new parallel programming language by Microsoft.
What is this new programming language about? It says Parallel Programming. But is it going to be an alternative/replacement for MPI, PVM, OpenMP and similar parallel libraries/frameworks?
Any thoughts?
A: Axum is a language structured in such a way as to make safe and performant concurrent programming simpler. The concepts modelled by the language avoid the need to make thread synchronisation explicit via the use of lock (in C#), Monitor, ReaderWriterLockSlim, etc...
It could be argued that many of the ideas within Axum have been in the Erlang programming language since 1986 -- a language designed by researchers working in Sweden for Ericsson to run on telephone switches, and hence support for massive throughput under highly concurrent load was so essential it was designed into the language. Whilst many of the ideas in Axum aren't new, they are certainly new to .NET and the CLR (at least at the language level.)
Existing .NET libraries that contain some of these ideas are:
*
*Retlang
*Concurrency and Coordination Runtime (CCR)
Like Erlang, message passing is a central concept in Axum. Like Erlang, Axum is largely indifferent as to whether the recipient of the message is located in-process or remotely. Axum currently provides integration with WCF.
Axum differs from the libraries mentioned above in that it includes support for these concepts at the language level, not just via use of libraries. The Axum compiler deals not only with the Axum language, but also with some experimental extensions to the C# language itself; namely the isolated and readonly keywords.
Adding new features to a language is not something to be taken lightly. Spec# is another C#-superset language developed at MSR (unrelated to concurrency). As seen with the support for Code Contracts in .NET 4.0, Microsoft has decided to favour adding a new API rather than new language extensions (this benefits users of all languages on the CLR.) However in the case of Axum, there is not enough richness in the C# 3.0 language to express the kinds of immutability constraints required of types and their members for truly safe concurrent programming.
Having dabbled in Erlang and liking what I saw, I'm very excited about where Axum might take us. Some of the extensions to the C# language proposed by the team are useful for regular C# projects too.
Finally I'd like to point out that there's more to Erlang than just a good concurrency model. Erlang is a strict functional programming language. It supports hot swappable code, meaning that a system can be upgraded without it ever being stopped (a desirable feature of a telephone switch or any other 24x7 system). I heard a report from a large British telecommunications organisation running a switch for a year and only failing to route four calls in that time. Erlang has other characteristics such as remote exception handling as well.
A: Looks to me like you hit the nail on the head in your question. Looks like the Microsoft.NET alternative to some of the languages/frameworks you mentioned. Take a look at the Programmer's Guide here:
Axum Programmer's Guide
Looks like it should play nicely with the rest of the .NET Framework. It might open up some interesting C#/F#/Axum interactions...
A: Axum is the new name for Microsoft's "Maestro" language, which originally was a research language for parallel programming but has been "promoted" to a first-class language just recently.
A bit more information on Channel 9 here:
Maestro: A Managed Domain Specific Language For Concurrent Programming
... and on the official Axum team blog.
A: Here's an update on the state of Axum. Apparrently some of the concurrency features will no longer be part of C#/VB.Net.
...the concepts around safe parallelism and
agent-based programming were seen by many as too far outside the
mainstream to be adopted now in languages like C# and VB. The idea of
Axum was to not force these concepts on general-purpose languages, so
those of us who have work on Axum are not surprised.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/850870",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "10"
} |
Q: Unexpected end of MIME multipart stream in reading the second time in Web API at first step I tried to read the contents into MultipartMemoryStreamProvider with the following code
var multipartMemoryStreamProvider = await Request.Content.ReadAsMultipartAsync();
It solve my problem in getting the input File in memory.In this case I have access to other contents Key , but not value .
I tried to get them with reading again the Contents into MultipartFormDataStreamProvider variable
string root = HttpContext.Current.Server.MapPath("~/uploads");
var provider = new MultipartFormDataStreamProvider(root);
Seems because I try to read the stream twice , it has the following error:
Unexpected end of MIME multipart stream. MIME multipart message is not
complete
My first preference is to convert MultipartMemoryStreamProvider to MultipartFormDataStreamProvider
Is it possible to do that?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/46766263",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: how do I accomodate multiple spellings in linux if/then script? I am new to coding and my Linux/Ubuntu assigment is requesting that I accomodate mulitple spellings for the argument in an if/then statement. I can't find anything about this online, at least nothing with these search terms. Can someone help? I am using 15 workstation.
*
*Write a program called isyes that returns an exit status of 0 if its argument is yes, and 1 otherwise. For purposes of this exercise, consider y, yes, Yes, YES, and Y all to be valid yes arguments
*Is there a way to so thais that will not reveal all the different spellings in either the question or the response? That is ugly.
Thank you!
A: You can write something like this:
read -p "Enter the answer in Y/N: " value
if [[ "$value" = [yY] ]] || [[ "$value" = [yY][eE][sS] ]];
then
echo 0; # Operation if true
else
echo 1; # Operation if false
fi
A: you can fix this issue in many ways.
use this code on awk to fix your problem.
#!/bin/bash
read -p "choose your answer [Y/N]: " input
awk -vs1="$input" 'BEGIN {
if ( tolower(s1) == "yes" || tolower(input) == "y" ){
print "match"
}
else{
print "not match"
}
}'
| {
"language": "en",
"url": "https://stackoverflow.com/questions/59046688",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Shiny app is disconnecting after 20 seconds on iPhone but not on onePlus I have made a shiny app that is deployed in shinyapps.io: https://hibashaban.shinyapps.io/muddakir/, I have noticed that the app disconnects from the server when I access it on my iphone (whether on chrome or safari) and leave the browser app for about 20 seconds. I have not been able to reproduce this problem in the chrome app on a onePlus phone so it seems to be an iOS or iPhone specific problem.
Is there anyway I can have it not disconnect from the server so quickly? Any ideas appreciated because I've run out of them. I have looked at timeout times on shinyapps.io/admin/#/applications/all but nothing seems to solve this specific problem.
I also tried deploying the app on an AWS instance using a shiny server. Same problem.
I've also tested this using another app I did not write and it did the same thing, so it's not a problem specific to my web app: https://jvadams.shinyapps.io/Testing/
this is what I got after 20 secs of leaving the chrome app..this is a problem because I know most of the users of my app will be using it on the phone, and lots of them have iPhones, I can't have them losing the progress just after a few seconds of leaving the browser app.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/61858104",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: IIS 7 Redirect using conditions I asked this question previously I think poorly - so here in a nutshell...
I have a chinese and australian site
First Redirect is good
http://mycompany.com/myproduct --> http://mycompany.com/products/myproduct
I also need this
http://mycompany.com/cn/myproduct --> http://mycompany.com/cn/products/myproduct
this expression matches the 1st and 2nd
^(cn|com)/myproduct/?
question is - under the action panel , what is the format of the Redirect Url to satisfy both?
something like
Redirect Url: {R:0}/products/myproduct (this doesnt work..just for illustration)
cheers!
EDIT:
If this helps - here's the rule im having problems with in web.config
<rule name="myproduct" stopProcessing="true">
<match url="^(cn|com)/myproduct/?" />
<conditions logicalGrouping="MatchAny" trackAllCaptures="true">
</conditions>
<action type="Redirect" url="{R:1}/products/myproduct" />
</rule>
A: This should work.
<rules>
<rule name="myproduct" stopProcessing="true">
<match url="^([^/]{2,3}/)?myproduct(/$|$)" />
<action type="Redirect" url="{R:1}products/myproduct" />
</rule>
</rules>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/7304689",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Range piped to Enum.into throws warning I have a range that I am piping to Enum.into ([]) which throws a warning. What's wrong here?
iex(1)> 1..5 |> Enum.into ([])
warning: you are piping into a function call without parentheses...
After adding parentheses
iex(2)> (1..5) |> Enum.into ([])
warning: you are piping into a function call without parentheses...
A: The problem is the space around the argument to Enum.into. It's not interpreted as parenthesis for the function call, but rather as a grouping mechanism around one of the arguments. Space is not allowed between function name and arguments.
1..5 |> Enum.into ([]) is the same as 1..5 |> Enum.into(([])) (if we fill the missing parenthesis compiler is complaining about). What you wanted is probably 1..5 |> Enum.into([]), which is a correct call, that the compiler does not complain about.
A: To get rid of the warning, put your parentheses around the whole Enum.into shebang:
(1..5) |> (Enum.into [] )
I'm not 100% sure why Elixir complains here; the warning mentions
foo 1 |> bar 2 |> baz 3
should be rewritten as
foo(1) |> bar(2) |> baz(3)
which - to my understanding - is exactly what you did. Probably related to the partial application of Enum.into to [].
| {
"language": "en",
"url": "https://stackoverflow.com/questions/38699083",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Images not loading when deploying streamlit app on GCP I created a streamlit app for data science. The user uploads an image and gets an output with an image displayed, but after deploying the app I'm getting zero rather than an image.
import streamlit as st
@st.cache(allow_output_mutation=True)
def load_image(out):
if out=='yes':
im = PIL.Image.open("images/yes.jpg")
return im
dis = load_image(output)
st.image(dis, channels="RGB)
but after deploying I get:
A: Solved by transforming the image (OpenCV, pillow ...) into bytes
import base64
import cv2
import streamlit as st
retval, buffer = cv2.imencode('.jpg', img )
binf = base64.b64encode(buffer).decode()
st.image("data:image/png;base64,%s"%binf, channels="BGR", use_column_width=True)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/69253838",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Determining a website's 'root' location I need some help with concepts and terminology regarding website 'root' urls and directories.
Is it possible to determine a website's root, or is that an arbitrary idea, and only the actual server's root can be established?
Let's say I'm writing a PHP plugin that that will be used by different websites in different locations, but needs to determine what the website's base directory is. Using PHP, I will always be able to determine the DOCUMENT_ROOT and SERVER_NAME, that is, the absolute URL and absolute directory path of the server (or virtual server). But I can't know if the website itself is 'installed' at the root directory or in a sub directory. If the website was in a subdirectory, I would need the user to explicitly set an "sub-path" variable. Correct?
A:
Will $url and $dir always be pointing to the same place?
Yes
<?php
$some_relative_path = "hello";
$server_url = $_SERVER["SERVER_NAME"];
$doc_root = $_SERVER["DOCUMENT_ROOT"];
echo $url = $server_url.'/'. $some_relative_path."<br />";
echo $dir = $doc_root.'/'. $some_relative_path;
Output:
sandbox.phpcode.eu/hello
/data/sandbox//hello
A: Answer to question 1: Yes you need a variable which explicitly sets the root path of the website. It can be done with an htaccess file at the root of each website containing the following line :
SetEnv APP_ROOT_PATH /path/to/app
http://httpd.apache.org/docs/2.0/mod/mod_env.html
And you can access it anywhere in your php script by using :
<?php $appRootPath = getenv('APP_ROOT_PATH'); ?>
http://php.net/manual/en/function.getenv.php
A: You shouldn't need to ask the user to provide any info.
This snippet will let your code know whether it is running in the root or not:
<?php
// Load the absolute server path to the directory the script is running in
$fileDir = dirname(__FILE__);
// Make sure we end with a slash
if (substr($fileDir, -1) != '/') {
$fileDir .= '/';
}
// Load the absolute server path to the document root
$docRoot = $_SERVER['DOCUMENT_ROOT'];
// Make sure we end with a slash
if (substr($docRoot, -1) != '/') {
$docRoot .= '/';
}
// Remove docRoot string from fileDir string as subPath string
$subPath = preg_replace('~' . $docRoot . '~i', '', $fileDir);
// Add a slash to the beginning of subPath string
$subPath = '/' . $subPath;
// Test subPath string to determine if we are in the web root or not
if ($subPath == '/') {
// if subPath = single slash, docRoot and fileDir strings were the same
echo "We are running in the web foot folder of http://" . $_SERVER['SERVER_NAME'];
} else {
// Anyting else means the file is running in a subdirectory
echo "We are running in the '" . $subPath . "' subdirectory of http://" . $_SERVER['SERVER_NAME'];
}
?>
A: I have just had the same problem. I wanted to reference links and other files from the root directory of my website structure.
I tried the following but it would never work how I wanted it:
$root = $_SERVER['DOCUMENT_ROOT'];
echo "<a href="' . $root . '/index.php">Link</a>";
echo "<a href="' . $root . '/admin/index.php">Link</a>";
But the obvious solution was just to use the following:
echo "<a href="../index.php">Link</a>";
echo "<a href="../admin/index.php">Link</a>";
| {
"language": "en",
"url": "https://stackoverflow.com/questions/7448944",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "7"
} |
Q: Updating Status Dialog from Thread in MFC I have a function performing a large amount of work and I want to be able to provide a status dialog in MFC (although I think this question is pertinent to any GUI).
Normally I would just create a thread and then post messages to the main window for updates. However, in this case the function also needs to work from non-MFC applications, such at MATLAB and Python. Therefore, I seem to have two choices, neither one I like.
The first option is to include the MFC code in the thread surrounded by #ifdefs. If figure I will need about five of these, although I could probably combine some of them.
The second option is to define a variable in the main window that the thread updates. The main window would have to create a timer to check that variable and update the GUI. This would entirely remove the MFC code from the thread, but is still a kludge.
My question is, which do you think is the lesser of the two evils, surrounding the thread code by #ifdefs, or implementing a timer? Better still, is there a third option that I haven't thought of?
Thank you.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/38079045",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Jqplot chart with 2 series not displayed correctly I have a jqplot graph that I'm using to display 2 series next to each other. The X-axis is based on a date element and the Y-axis on a percentage value that ranges between -10% en 10%, but that's not really relevant.
Both series have the same number of elements and the x-axis value is identical for each entry of the two series, but the result I'm getting is this.
It seems that some elements in the collection of elements that I'm passing on to the jqplot library have some corrupt data (on the x-axis, so the date value in my case), but I've checked the collection of elements and it is sorted on the date, Not sure why it's not being rendered correctly though.
Has anyone else here had a similar problem?
Thanks
| {
"language": "en",
"url": "https://stackoverflow.com/questions/26015657",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: None of the configured nodes are available: [] In elasticsearch, when I try to create a index and type I got this exception.
"None of the configured nodes are available: []"
The following are the code which I use to create "preparIndex".
public class Test {
static {
CLIENT = new TransportClient().addTransportAddress(new InetSocketTransportAddress("localhost", 13101));
}
public static void main(String arg[]) {
try {
IndexResponse response = CLIENT
.prepareIndex("twitter", "tweet", "1")
.setSource(jsonBuilder()
.startObject()
.field("user", "kimchy")
.field("postDate", new Date())
.field("message", "trying out Elasticsearch")
.endObject())
.execute()
.actionGet();
} catch(Exception e) {
System.out.println(e.getMessage());
}
}
}
Can any one help me.
Thank you.
A: I had the same issue and finally found the reason, that is I used the default port 9200 (the correct is 9300 as default).
| {
"language": "en",
"url": "https://stackoverflow.com/questions/27816443",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: sql get multiple custom post meta values
What I need is a SQL query to go through all the meta_values and look for specific custom meta tags in my case <date1>, <date2> and <date3> and see if they have any value inside the tags and retrieve the post_id and create a array to then create links to those pages (see image above).
So lets say the code goes through the SQL DB and like the image bellow has no values between the dates tags it will ignore it and only retrieve the post_id 710 and create a array of the ids to then create links.
A: SELECT post_id FROM `database_table` WHERE `meta_value` REGEXP '<date[1|2|3]>[0-9]+<\/date[1|2|3]>'
I think this will do the trick =)
Good luck!
| {
"language": "en",
"url": "https://stackoverflow.com/questions/11299886",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Insert grid template row (within grid) under condition In a facebook-esque fasion, I'm working in a post with comments. The comments have a int which indicates the id of the parent post. So Comment 1 and 2 both have assigned as parent Post 1.
What im working on is on displaying them as a grid within a grid. Here is that part in .zul:
<grid id="postGrid" height="550px" model="@load(vm.pcdata.posts)" emptyMessage="No Posts.">
<template name="model">
<row>
<window border="normal">
<!-- .................. -->
<!-- PARENT POST -->
<!-- .................. -->
<caption id="userPost" label="@load(each.user)"/>
<textbox id="infoPost" readonly="true" value="@load(each.info)" multiline="true" rows="4" width="100%" mold="rounded"/>
<separator bar="true"/>
<hlayout>
<div>
<button label="Like" onClick="@command('addPLike', postid=each.postid)"/>
</div>
<div hflex="true">
<textbox id="likeTB" disabled="true" width="40px" style="text-align:center" value="@load(each.plikes)"/>
</div>
</hlayout>
<separator bar="false"/>
<window border="normal">
<!-- .................. -->
<!-- THE SECOND GRID-->
<!-- .................. -->
<grid id="commentGrid" height="150px" model="@load(vm.pcdata.comments)" emptyMessage="No Comments.">
<template name="model">
<row>
<window border="normal">
<caption id="userComment" label="@load(each.user)"/>
<textbox id="infoComment" readonly="true" value="@load(each.info)" multiline="true" rows="4" width="100%" mold="rounded"/>
<separator bar="true"/>
<hlayout>
<div>
<button label="Like" onClick="@command('addCLike', commentid=each.commentid)"/>
</div>
<div hflex="true">
<textbox id="likeTB" disabled="true" width="40px" style="text-align:center" value="@load(each.clikes)"/>
</div>
</hlayout></window></row></template></grid></window></window></row></template></grid>
In the second grid, I imagine there could be some sort of if function in which if both the postid in the father Post and the postsrc in the child Comment are the same, the comment will be displayed. Is there any way to make this work?
A: You can use shadow element <if>, e.g.
<if test="@load(vm.yourFlag)">
<grid id="commentGrid">
....
</if>
please see http://books.zkoss.org/zk-mvvm-book/8.0/shadow_elements/flow_control.html
A: Do you mean commentGrid is created but inner window is hidden, so there is space inside commentGrid, right?
Since you specify emptyMessage on commentGrid, it should show no comments. Or there are still comments but all hidden? If so, you can consider hide both commentGrid with inner window.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55961505",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to select only 1 record with sql query I have a website like ebay with bids, I want to make a notifications mail for users who got outbidded
For example
*
*user 1 has a bid 11$
*user 2 has a bid 10$
I have a table for bids:
id auction bidder bid bidwhen quantity auto_bid
-- ------- ------ ------- -------------- -------- ----------
1 150028 2 10.0000 20130719121024 0 0
2 150028 1 11.0000 20130809122605 0 0
3 150028 3 12.0000 20130809122605 0 0
and another table where I insert a winners like winner=3 with =12
id auction seller winner bid closingdate fee quantity
-- ------- ------ ------ ------ -------------- ------ ----------
1 150028 1 3 12 20130809122658 1 1
If in our case id=3 is winner I need notificate id=2 that he is outbid and lost
I start with selecting winner and join bidders table but I can't figure out how to continue.
At the end I need get last ID before Winners ID in our case bidder 1 cuz he bid last before winner
A: Try the following
SELECT ID
FROM Bids
WHERE auction = 150028
AND Bid < (SELECT MAX(Bid) FROM Bids WHERE auction = 150028)
ORDER By bid DESC
LIMIT 0,1
With this query you select the ID for a specific auction and get only the ID for the second highest bid.
EDIT:
For getting all auctions try the following query:
SELECT DISTINCT (SELECT b1.ID
FROM Bids b1
WHERE b1.auction = b2.auction
AND b1.Bid < (SELECT MAX(Bid) FROM Bids b3 WHERE b3.auction = b1.auction)
ORDER By b1.bid DESC
LIMIT 0,1) as ID, b2.auction
FROM Bids b2
A: To get last bidder before the winner
SELECT *
FROM
(
SELECT b.auction, MAX(b.bid) bid
FROM bids b JOIN winners w
ON b.auction = w.auction
AND b.bidder <> w.winner
GROUP BY b.auction
) q JOIN bids b
ON q.auction = b.auction
AND q.bid = b.bid
Here is SQLFiddle demo
To get all bidders before the winner
SELECT *
FROM bids b JOIN winners w
ON b.auction = w.auction
AND b.bidder <> w.winner
-- WHERE b.auction = 150028 -- use if you need to fetch for particular auction
ORDER BY b.auction, b.bid DESC
Here is SQLFiddle demo
| {
"language": "en",
"url": "https://stackoverflow.com/questions/18713256",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-2"
} |
Q: xcode with IBAction I’m trying to make an app in xcode. I have made a class called myApp.m and .h
In my .m I have these lines of code
- (void)loadApp
AlarmItem *item1 = [[[AlarmItem alloc] initWithTitle:@"TEST2"] autorelease];
NSMutableArray *items = [NSMutableArray arrayWithObjects:item1, nil];
RootViewController *rootController = (RootViewController *) [navigationController.viewControllers objectAtIndex:0];
rootController.items = items;
and in my RootViewController I have an this method:
- (IBAction)RefreshMyApp:(id)sender {
MyApp *myApp2 = [[[MyAppalloc] init] autorelease];
[myApp2 loadData];
}
What I’m trying to do is calling the method from the myApp class and displayed in the tableView, but I always get an empty cell.
Any help is appreciated.
A: Is this meant to get you your UIApplication singleton? (i'm guessing MyAppalloc is a typo and should be MyApp alloc)
MyApp *myApp2 = [[[MyApp alloc] init] autorelease];
if so then you should be doing it like this:
MyApp *myApp2 = (MyApp*)[UIApplication sharedApplication];
If this is not the case you need to make it clearer what MyApp is (your app delegate?)
A: I guess, your application running in singleton instance, if this is something kind of NSView or a particular control you want to refresh, you could call its particular refresh method like,
[NSTableView reload];
[NSTextField setString];
etc...
| {
"language": "en",
"url": "https://stackoverflow.com/questions/8095289",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Attribute to find out a virtual instance private only or public and private How can we find out a VM has public and private IP or only private IP? Is there any particular attribute in the JSON response for a virtual guest request?
A: Sure take a look at documentation:
http://sldn.softlayer.com/reference/datatypes/SoftLayer_Virtual_Guest
primaryBackendIpAddress
A guest's primary private IP address.
Type: string
primaryIpAddress
The guest's primary public IP address.
Type: string
if you do not see any value for any of those properties that means that the virtual guest does not have it.
Regards
| {
"language": "en",
"url": "https://stackoverflow.com/questions/42210090",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to dynamically normalize a value based on a match from another column in Tableau Hello I am a new user of stackoverflow, so apologies if I don't follow typical conventions.
sample
Control
Value
Normalized Value (Relative to Control)
a
e
5.5
5.5/5.7
b
e
8.3
8.3/5.7
c
f
6.6
6.6/7.7
d
f
9.9
9.9/7.7
e
5.7
f
7.7
I have an example table (shown above) where I would like Tableau to automatically calculate the last column (Normalized Value) using the data from previous columns.
How do I make the normalization dynamic to the appropriate control value?
In a simpler case, I was able to normalize all the values to a single control, however this is NOT dynamic. Below is how I use LOD to normalize to "e".
[Value]/{fixed:avg(if [sample]='e' then [Value] end )}
But this is not what I want, because sometimes I need to normalize to "e" and other times it is "f".
| {
"language": "en",
"url": "https://stackoverflow.com/questions/74806031",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Determine which class called an IntentService I am working on a news app. I have 5 categories of news sections. Each tab or section, calls to a different URL and has a separate table in the local database, hence a different URI(using a ContentProvider), when retrieving local data.
I have one AsyncTask that services all the requests. It determines which url or uri to call based on the instance of the class passed to it. All the tabs/sections/fragments/classes inherit from a common base class..
Now, I will like to change the AsyncTask to an IntentService, so I can use the AlarmManager class. I have noticed that, there seems to be no easy way of passing an object via intents.
I need a way of determining which particular class of the 5 classes called the IntentService, so the appropriate action is taken.
This class is called when the instance of the class is to be determined:
public class GetURL {
public static URL GetURL(TabsSuperClass tabs)
{
URL url = null;
try {
if(tabs instanceof CultureFrag)
{
final String baseUri = "http://content.guardianapis.com/search?";
Uri uriBuilder = Uri.parse(baseUri)
.buildUpon()
.appendQueryParameter("section", "culture|local|music|books|society")
.appendQueryParameter("order-by", "newest")
.appendQueryParameter("use-date", "published")
.appendQueryParameter("show-fields", "trailText,thumbnail")
.appendQueryParameter("page", String.valueOf(TabsSuperClass.pageSize))
.appendQueryParameter("page-size", "10")
.appendQueryParameter("api-key", "Test-Key")
.build();
url = new URL(uriBuilder.toString());
}
else if(tabs instanceof LifeStyleFrag)
{
final String baseUri = "http://content.guardianapis.com/search?";
Uri uriBuilder = Uri.parse(baseUri)
.buildUpon()
.appendQueryParameter("section", "lifeandstyle|education|fashion|help")
.appendQueryParameter("order-by", "newest")
.appendQueryParameter("use-date", "published")
.appendQueryParameter("show-fields", "trailText,thumbnail")
.appendQueryParameter("page", String.valueOf(LifeStyleFrag.pageSize))
.appendQueryParameter("page-size", "10")
.appendQueryParameter("api-key", "Test-Key")
.build();
url = new URL(uriBuilder.toString());
}
else if(tabs instanceof ScienceFrag)
{
final String baseUri = "http://content.guardianapis.com/search?";
Uri uriBuilder = Uri.parse(baseUri)
.buildUpon()
.appendQueryParameter("section", "science|environment|technology|business")
.appendQueryParameter("order-by", "newest")
.appendQueryParameter("use-date", "published")
.appendQueryParameter("show-fields", "trailText,thumbnail")
.appendQueryParameter("page", String.valueOf(ScienceFrag.pageSize))
.appendQueryParameter("page-size", "10")
.appendQueryParameter("api-key", "Test-Key")
.build();
url = new URL(uriBuilder.toString());
}
else if(tabs instanceof SportFrag)
{
final String baseUri = "http://content.guardianapis.com/search?";
Uri uriBuilder = Uri.parse(baseUri)
.buildUpon()
.appendQueryParameter("section", "sport|football")
.appendQueryParameter("order-by", "newest")
.appendQueryParameter("use-date", "published")
.appendQueryParameter("show-fields", "trailText,thumbnail")
.appendQueryParameter("page", String.valueOf(SportFrag.pageSize))
.appendQueryParameter("page-size", "10")
.appendQueryParameter("api-key", "Test-Key")
.build();
url = new URL(uriBuilder.toString());
}
else if(tabs instanceof WorldFrag)
{
final String baseUri = "http://content.guardianapis.com/search?";
Uri uriBuilder = Uri.parse(baseUri)
.buildUpon()
.appendQueryParameter("section", "world|opinion|media|us-news|australia-news|uk-news")
.appendQueryParameter("order-by", "newest")
.appendQueryParameter("use-date", "published")
.appendQueryParameter("show-fields", "trailText,thumbnail")
.appendQueryParameter("page", String.valueOf(WorldFrag.pageSize))
.appendQueryParameter("page-size", "10")
.appendQueryParameter("api-key", "Test-Key")
.build();
url = new URL(uriBuilder.toString());
}
}
catch (MalformedURLException e)
{
e.printStackTrace();
}
return url;
}
public static Uri GetContentUri(TabsSuperClass tabs)
{
Uri uri = null;
if(tabs instanceof CultureFrag)
{
return NewsContract.CONTENT_URI_CULTURE;
}
else if(tabs instanceof LifeStyleFrag)
{
return NewsContract.CONTENT_URI_LIFESTYLE;
}
else if(tabs instanceof ScienceFrag)
{
return NewsContract.CONTENT_URI_SCIENCE;
}
else if(tabs instanceof SportFrag)
{
return NewsContract.CONTENT_URI_SPORT;
}
else if(tabs instanceof WorldFrag)
{
return NewsContract.CONTENT_URI_WORLD;
}
return uri;
}
}
urlConnection = (HttpURLConnection)GetURL.GetURL(_fragment).openConnection();
An instance where this class is called is here, when I am inserting data into the table of the class which called
private void InsertIntoTable(List<NewsFacade> data) {
for (NewsFacade facade :
data) {
ContentValues values = new ContentValues();
values.put(NewsContract.DataContract.COLUMN_NAME_DATE, facade.getDate());
values.put(NewsContract.DataContract.COLUMN_NAME_CONTENT, facade.getText());
values.put(NewsContract.DataContract.COLUMN_NAME_TAG, facade.getTag());
byte[] image = EncodeImage(facade.getThumb());
values.put(NewsContract.DataContract.COLUMN_NAME_THUMB, image);
values.put(NewsContract.DataContract.COLUMN_NAME_TITLE, facade.getTitle());
values.put(NewsContract.DataContract.COLUMN_NAME_WEBADDRESS, facade.getWebAddress());
_fragment.mResolver.insert(GetURL.GetContentUri(_fragment), values);
}
}
A:
I need a way of determining which particular class of the 5 classes called the IntentService, so the appropriate action is taken.
Put an extra on the Intent that you pass to startActivity() that indicates what the IntentService should do. You get a copy of that Intent in onHandleIntent() in the IntentService, so you can retrieve the extra and take appropriate steps based upon its value.
A: At the top of the activity I add:-
private final static String THIS_ACTIVITY = "AddProductToShopActivity";
for the intent I add:
intent.putExtra("CALLER", THIS_ACTIVITY);
In the started activity :-
final String caller = getIntent().getStringExtra("Caller");
| {
"language": "en",
"url": "https://stackoverflow.com/questions/35832511",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How can you get the version number of your Room Database? I have some code that I would only like to run when I know for certain that the Room migrations I have have completed. Is there a way to find out which version number my Room instance is on? I have the latest code:
@Database(entities = [AnalyticsEvent::class, ListenItem::class, LastPositionHeard::class,
DownloadItem::class], version = 3) //I would like to retrieve this information
@TypeConverters(RoomTypeConverters::class)
abstract class MyRoomDatabase : RoomDatabase() {
abstract fun analyticsEventsDao(): AnalyticsEventsDao
abstract fun listeningStatsDao(): ListeningStatsDao
abstract fun lastPositionHeardDao(): LastPositionHeardDao
abstract fun downloadsDao(): DownloadsDao
companion object {
// Singleton prevents multiple instances of database opening at the
// same time.
@Volatile
private var INSTANCE: MyRoomDatabase? = null
val MIGRATION_1_TO_2 = Migration1To2()
val MIGRATION_2_TO_3 = Migration2To3()
const val LUMINARY_DATABASE_NAME = "room_database"
fun getDatabase(context: Context): MyRoomDatabase {
val tempInstance = INSTANCE
if (tempInstance != null) {
return tempInstance
}
synchronized(this) {
val instance = Room.databaseBuilder(
context.applicationContext,
LuminaryRoomDatabase::class.java,
LUMINARY_DATABASE_NAME
).addMigrations(MIGRATION_1_TO_2, MIGRATION_2_TO_3)
.build()
INSTANCE = instance
return instance
}
}
}
}
But what I would like to do is something like this:
val instanceVersionNumber = MyRoomDatabase.getDatabase().versionNumber
Is it possible?
A: Here's an extension function in Kotlin to grab the version number. The key is to call openHelper from your Room database which returns a SupportSQLiteOpenHelper object where you can then get to the actual DB attributes.
fun Context.getDBVersion() = RoomDatabase.getDatabase(this)?.openHelper?.readableDatabase?.version.toString()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/60999152",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Twitter+OAuth Crash on iPhone OS 2.x I'm using Ben Gottlieb's Twitter+OAuth code.
Works great on my 3.1.2 iPhone, but crashes on my 2.2.1 iPhone. I'm getting a EXC_BAD_ACCESS error in the EstimateBas64EncodedDataSize call. Here's what I'm seeing in the debugger:
#0 0x2fe1e724 in __dyld_pthread_getspecific
#1 0x2fe1eddc in __dyld___gthread_getspecific
#2 0x2fe1eec8 in __dyld__Unwind_SjLj_Register
#3 0x2fe07b14 in __dyld__ZN4dyld14bindLazySymbolEPK11mach_headerPm
#4 0x2fe15ebc in __dyld_stub_binding_helper_interface
#5 0x0003cab8 in EstimateBas64EncodedDataSize at Base64Transcoder.c:106
#6 0x0003cb04 in Base64EncodeData at Base64Transcoder.c:120
#7 0x0003e476 in -[OAHMAC_SHA1SignatureProvider signClearText:withSecret:] at OAHMAC_SHA1SignatureProvider.m:50
What am I missing? A library that's not available with 2.2.1?
A: Looks like the OAuth library is being built against 3.0 frameworks. If you want to target 2.2.1, it'll need to be built against those frameworks.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/1796787",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Displaying decoded video stream with MTKView results in undesirable blurry output I've managed to create an app that receives a live h264 encoded video stream and then decodes and displays the video with Video Toolbox and AVSampleBufferDisplayLayer. This works as expected but I want to be able to apply filters to the rendered output so I changed to decoding with Video Toolbox and displaying/rendering the decoded video with MetalKit. The only problem I have is that my rendered output with MetalKit is noticeably more blurry than the output received with AVSampleBufferDisplayLayer and I haven't managed to find out why.
Here's the output from AVSampleBufferDisplayLayer
Here's the output from MetalKit
I've tried skipping MetalKit and rendering directly to a CAMetalLayer but the same issue persists. I'm in the middle of trying to convert my CVImageBufferRef to an UIImage that I can display with UIView's. If this also ends up blurry then maybe the issue is with my VTDecompressionSession and not with the Metal side of things.
The decoding part is pretty much like what's given here How to use VideoToolbox to decompress H.264 video stream
I'll try to just paste the interesting snippets of my code.
These are the options I give my VTDecompressionSession.
NSDictionary *destinationImageBufferAttributes = [NSDictionary dictionaryWithObjectsAndKeys:
[NSNumber numberWithInteger:kCVPixelFormatType_420YpCbCr8BiPlanarVideoRange],
(id)kCVPixelBufferPixelFormatTypeKey,
nil];
This is my view that inherits from MTKView
@interface StreamView : MTKView
@property id<MTLCommandQueue> commandQueue;
@property id<MTLBuffer> vertexBuffer;
@property id<MTLBuffer> colorConversionBuffer;
@property id<MTLRenderPipelineState> pipeline;
@property CVMetalTextureCacheRef textureCache;
@property CFMutableArrayRef imageBuffers;
-(id)initWithRect:(CGRect)rect withDelay:(int)delayInFrames;
-(void)addToRenderQueue:(CVPixelBufferRef)image renderAt:(int)frame;
@end
This is how I initialize the view from my view controller. The video I receive is of the same size, that is 666x374.
streamView = [[StreamView alloc] initWithRect:CGRectMake(0, 0, 666, 374) withDelay:0];
[self.view addSubview:streamView];
This is the content of the StreamView's initWithRect method
id<MTLDevice> device = MTLCreateSystemDefaultDevice();
self = [super initWithFrame:rect device:device];
self.colorPixelFormat = MTLPixelFormatBGRA8Unorm;
self.commandQueue = [self.device newCommandQueue];
[self buildTextureCache];
[self buildPipeline];
[self buildVertexBuffers];
This is the buildPipeline method
- (void)buildPipeline
{
NSBundle *bundle = [NSBundle bundleForClass:[self class]];
id<MTLLibrary> library = [self.device newDefaultLibraryWithBundle:bundle error:NULL];
id<MTLFunction> vertexFunc = [library newFunctionWithName:@"vertex_main"];
id<MTLFunction> fragmentFunc = [library newFunctionWithName:@"fragment_main"];
MTLRenderPipelineDescriptor *pipelineDescriptor = [MTLRenderPipelineDescriptor new];
pipelineDescriptor.vertexFunction = vertexFunc;
pipelineDescriptor.fragmentFunction = fragmentFunc;
pipelineDescriptor.colorAttachments[0].pixelFormat = self.colorPixelFormat;
self.pipeline = [self.device newRenderPipelineStateWithDescriptor:pipelineDescriptor error:NULL];
}
Here is how I actually draw my texture
CVImageBufferRef image = (CVImageBufferRef)CFArrayGetValueAtIndex(_imageBuffers, 0);
id<MTLTexture> textureY = [self getTexture:image pixelFormat:MTLPixelFormatR8Unorm planeIndex:0];
id<MTLTexture> textureCbCr = [self getTexture:image pixelFormat:MTLPixelFormatRG8Unorm planeIndex:1];
if(textureY == NULL || textureCbCr == NULL)
return;
id<CAMetalDrawable> drawable = self.currentDrawable;
id<MTLCommandBuffer> commandBuffer = [_commandQueue commandBuffer];
MTLRenderPassDescriptor *renderPass = self.currentRenderPassDescriptor;
renderPass.colorAttachments[0].clearColor = MTLClearColorMake(0.5, 1, 0.5, 1);
id<MTLRenderCommandEncoder> commandEncoder = [commandBuffer renderCommandEncoderWithDescriptor:renderPass];
[commandEncoder setRenderPipelineState:self.pipeline];
[commandEncoder setVertexBuffer:self.vertexBuffer offset:0 atIndex:0];
[commandEncoder setFragmentTexture:textureY atIndex:0];
[commandEncoder setFragmentTexture:textureCbCr atIndex:1];
[commandEncoder setFragmentBuffer:_colorConversionBuffer offset:0 atIndex:0];
[commandEncoder drawPrimitives:MTLPrimitiveTypeTriangleStrip vertexStart:0 vertexCount:4 instanceCount:1];
[commandEncoder endEncoding];
[commandBuffer presentDrawable:drawable];
[commandBuffer commit];
This is how I convert a CVPixelBufferRef into an MTLTexture
- (id<MTLTexture>)getTexture:(CVPixelBufferRef)image pixelFormat:(MTLPixelFormat)pixelFormat planeIndex:(int)planeIndex {
id<MTLTexture> texture;
size_t width, height;
if (planeIndex == -1)
{
width = CVPixelBufferGetWidth(image);
height = CVPixelBufferGetHeight(image);
planeIndex = 0;
}
else
{
width = CVPixelBufferGetWidthOfPlane(image, planeIndex);
height = CVPixelBufferGetHeightOfPlane(image, planeIndex);
NSLog(@"texture %d, %ld, %ld", planeIndex, width, height);
}
CVMetalTextureRef textureRef = NULL;
CVReturn status = CVMetalTextureCacheCreateTextureFromImage(NULL, _textureCache, image, NULL, pixelFormat, width, height, planeIndex, &textureRef);
if(status == kCVReturnSuccess)
{
texture = CVMetalTextureGetTexture(textureRef);
CFRelease(textureRef);
}
else
{
NSLog(@"CVMetalTextureCacheCreateTextureFromImage failed with return stats %d", status);
return NULL;
}
return texture;
}
This is my fragment shader
fragment float4 fragment_main(Varyings in [[ stage_in ]],
texture2d<float, access::sample> textureY [[ texture(0) ]],
texture2d<float, access::sample> textureCbCr [[ texture(1) ]],
constant ColorConversion &colorConversion [[ buffer(0) ]])
{
constexpr sampler s(address::clamp_to_edge, filter::linear);
float3 ycbcr = float3(textureY.sample(s, in.texcoord).r, textureCbCr.sample(s, in.texcoord).rg);
float3 rgb = colorConversion.matrix * (ycbcr + colorConversion.offset);
return float4(rgb, 1.0);
}
Because the view and the video I encode are both 666x374 I tried changing the sampling type in the fragment shader to filter::nearest. I thought it would match the pixels 1:1 but it was still as blurry. Another weird thing I noticed is that if you open the uploaded images in a new tab you'll see that they are way larger than 666x374... I doubt that I'm making a mistake on the encoding side and even if I did then AVSampleBufferDisplayLayer still manages to display the video without blur so they must be doing something right that I'm missing.
A: It looks like you have the most serious issue of view scale addressed, the other issues are proper YCbCr rendering (which it sounds like you are going to avoid by outputting BGRA pixels when decoding) and then there is scaling the original movie to match the dimensions of the view. When you request BGRA pixel data the data is encoded as sRGB, so you should treat the data in the texture as sRGB. Metal will automatically do the non-linear to linear conversion for you when reading from a sRGB texture, but you have to tell Metal that it is sRGB pixel data (using MTLPixelFormatBGRA8Unorm_sRGB). To implement scaling, you just need to render from the BGRA data into the view with linear resampling. See the SO question I linked above if you want to have a look at the source code for MetalBT709Decoder which is my own project that implements proper rendering of BT.709.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55538310",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Is it possible to specify user specific pre commands in VS Code? We have a slew of folks doing development through the same GitLab repo. We are using VS Code tasks to execute internal commands. The main command is the same for everyone: internal_command on Windows and internalCommand on Linux.
{
// See https://go.microsoft.com/fwlink/?LinkId=733558
// for the documentation about the tasks.json format
"version": "2.0.0",
"tasks": [
{
"label" : "do it",
"type" : "shell",
"windows": {
"command": "internal_command"
},
"linux": {
"command": "internalCommand"
}
}
]
}
This works as expected.
Some users need/want to run a specific command before the main command. For example, one use wants to rename a file, another user wants to change an environment variable, etc...
We don't want to have multiple versions of .vscode/tasks.json cause that is a mess when pushing things to GitLab.
So I am wondering if there is a way to specify user specific tasks in the project's .vscode/tasks.json file?
A: You can with the help of the extension Command Variable it allows you to use the content of a file as a command in the terminal. The file can also contain Key-Value pairs or be a JSON file.
Say you store this userTask.txt or userTask.json file in the .vscode folder and add the file to the .gitignore file.
With the current version of the extension the file userTask.txt has to exist, I will add an option to supply alternative text in case the file does not exist. You can fill the file with a dummy command like echo No User Task
Set up your task.json like
{
"version": "2.0.0",
"tasks": [
{
"label" : "do it",
"type" : "shell",
"windows": {
"command": "internal_command"
},
"linux": {
"command": "internalCommand"
},
"dependsOrder": "sequence",
"dependsOn": ["userTask"]
},
{
"label" : "userTask",
"type" : "shell",
"command": "${input:getUserTask}"
}
],
"inputs": [
{
"id": "getUserTask",
"type": "command",
"command": "extension.commandvariable.file.content",
"args": {
"fileName": "${workspaceFolder}/.vscode/userTask.txt"
}
}
]
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/70828322",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to redirect to another page after 2 clicks? I have a question about javascript. That is:
When I click first click anywhere in the website, this code will be executed
<a href="#" id="btn"></a>
When I click secondary click anywhere in the website, I will be redirect to another page.
How to do that ?
Thank you very much ! Sorry for my poor English and programmer !
A: Put this in your page:
<script type="text/javascript">
window.onload = function() {
counter = 0;
document.body.onclick = function() {
counter++;
if(counter == 1) {
document.getElementById('btn').click();
}
else if(counter == 2) {
location.replace('http://www.google.com');
}
};
document.getElementById('btn').onclick = function(e) {
e.stopPropogation();
alert('Link has been clicked!');
};
}
</script>
Sorry, I am unable to create a fiddle for this, as jsfiddle prevents iframe page redirects out of its domain.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/22627155",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-2"
} |
Q: VB .NET 2008 datagridview object reference not set to an instance of an object Receiving System.NullReferenceException with my code:
Private Sub dsplay()
ds.Clear()
dgv_tran.DataSource = ds
da = New OleDbDataAdapter("SELECT p.prod_id, p.prod_name, b.cost_ave " & _
"FROM tbl_products p " & _
"INNER JOIN tbl_balance b " & _
"ON p.ID = b.p_id", con)
da.Fill(dt)
dgv_tran.DataSource = ds
dgv_tran.DataMember = "table1"
call dgv_tran_CellClick(Nothing,Nothing)
end sub
Private Sub dgv_tran_CellClick(ByVal sender As Object, ByVal e As System.EventArgs) Handles dgv_tran.CellClick
Try
Dim i As Integer = dgv_tran.CurrentRow.Index 'error starts in this line
txtid.Text = dgv_tran.Item(0, i).Value
txtname.Text = dgv_tran.Item(1, i).Value
txtcost.Text = dgv_tran.Item(2, i).Value
Catch ex As Exception
MessageBox.Show(ex.ToString)
End Try
End Sub
My datagridview displays the data that I need, I can proceed with the project just fine when I remove the MessageBox.Show(ex.ToString) but I can't just ignore this error can I?
Already spent 4hours trying to figure this one out. Any help pointing out the problem would be much appreciated.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/30440546",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Could the neo4j-bolt-python driver work on remote windows? I ran the Quick Example on https://github.com/neo4j/neo4j-python-driver with two environment.
1. local linux => works well
2. remote windows => seems like run well, however does not create graph.db.
What' wrong with me?
My Debug Log on remote windows :
2018-03-09 12:40:56,212 ~~ [CONNECT] ('192.168.1.90', 7687)
2018-03-09 12:40:56,213 ~~ [SECURE] 192.168.1.90
2018-03-09 12:40:56,221 C: [HANDSHAKE] 0x6060B017 [1, 0, 0, 0]
2018-03-09 12:40:56,224 S: [HANDSHAKE] 1
2018-03-09 12:40:56,227 C: INIT ('neo4j-python/1.5.3', {...})
2018-03-09 12:40:56,228 S: SUCCESS ({'server': 'Neo4j/3.3.2'})
2018-03-09 12:40:56,229 ~~ [CLOSE]
2018-03-09 12:40:56,231 C: RUN ('BEGIN', {})
2018-03-09 12:40:56,232 C: PULL_ALL ()
2018-03-09 12:40:56,234 C: RUN ('MERGE (a:Person {name: $name}) MERGE (a)-[:KNOWS]->(friend:Person {name: $friend_name})', {'name': 'Arthur', 'friend_name': 'Guinevere'})
2018-03-09 12:40:56,234 C: PULL_ALL ()
2018-03-09 12:40:56,237 S: SUCCESS ({'result_available_after': 0, 'fields': []})
2018-03-09 12:40:56,238 S: SUCCESS ({})
2018-03-09 12:40:56,239 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,240 S: SUCCESS ({'stats': {'labels-added': 2, 'relationships-created': 1, 'nodes-created': 2, 'properties-set': 2}, 'result_consumed_after': 0, 'type': 'w'})
2018-03-09 12:40:56,241 C: RUN ('COMMIT', {})
2018-03-09 12:40:56,241 C: PULL_ALL ()
2018-03-09 12:40:56,245 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,245 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx829'})
2018-03-09 12:40:56,246 C: RUN ('BEGIN', {'bookmark': 'neo4j:bookmark:v1:tx829', 'bookmarks': ['neo4j:bookmark:v1:tx829']})
2018-03-09 12:40:56,247 C: PULL_ALL ()
2018-03-09 12:40:56,247 C: RUN ('', {'name': 'Arthur', 'friend_name': 'Lancelot'})
2018-03-09 12:40:56,248 C: PULL_ALL ()
2018-03-09 12:40:56,250 S: SUCCESS ({'result_available_after': 0, 'fields': []})
2018-03-09 12:40:56,251 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx829'})
2018-03-09 12:40:56,251 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,252 S: SUCCESS ({'stats': {'labels-added': 1, 'relationships-created': 1, 'nodes-created': 1, 'properties-set': 1}, 'result_consumed_after': 0, 'type': 'w'})
2018-03-09 12:40:56,253 C: RUN ('COMMIT', {})
2018-03-09 12:40:56,253 C: PULL_ALL ()
2018-03-09 12:40:56,256 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,256 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx830'})
2018-03-09 12:40:56,257 C: RUN ('BEGIN', {'bookmark': 'neo4j:bookmark:v1:tx830', 'bookmarks': ['neo4j:bookmark:v1:tx830']})
2018-03-09 12:40:56,258 C: PULL_ALL ()
2018-03-09 12:40:56,259 C: RUN ('', {'name': 'Arthur', 'friend_name': 'Merlin'})
2018-03-09 12:40:56,259 C: PULL_ALL ()
2018-03-09 12:40:56,262 S: SUCCESS ({'result_available_after': 0, 'fields': []})
2018-03-09 12:40:56,263 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx830'})
2018-03-09 12:40:56,264 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,265 S: SUCCESS ({'stats': {'labels-added': 1, 'relationships-created': 1, 'nodes-created': 1, 'properties-set': 1}, 'result_consumed_after': 0, 'type': 'w'})
2018-03-09 12:40:56,265 C: RUN ('COMMIT', {})
2018-03-09 12:40:56,266 C: PULL_ALL ()
2018-03-09 12:40:56,269 S: SUCCESS ({'result_available_after': 1, 'fields': []})
2018-03-09 12:40:56,269 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx831'})
2018-03-09 12:40:56,270 C: RUN ('BEGIN', {'bookmark': 'neo4j:bookmark:v1:tx831', 'bookmarks': ['neo4j:bookmark:v1:tx831']})
2018-03-09 12:40:56,271 C: PULL_ALL ()
2018-03-09 12:40:56,271 C: RUN ('MATCH (a:Person)-[:KNOWS]->(friend) WHERE a.name = $name RETURN friend.name ORDER BY friend.name', {'name': 'Arthur'})
2018-03-09 12:40:56,273 C: PULL_ALL ()
2018-03-09 12:40:56,275 S: SUCCESS ({'result_available_after': 0, 'fields': []})
2018-03-09 12:40:56,276 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx831'})
2018-03-09 12:40:56,277 S: SUCCESS ({'result_available_after': 1, 'fields': ['friend.name']})
2018-03-09 12:40:56,277 S: RECORD * 3
2018-03-09 12:40:56,278 S: SUCCESS ({'result_consumed_after': 0, 'type': 'r'})
Guinevere
Lancelot
Merlin
2018-03-09 12:40:56,279 C: RUN ('COMMIT', {})
2018-03-09 12:40:56,279 C: PULL_ALL ()
2018-03-09 12:40:56,281 S: SUCCESS ({'result_available_after': 0, 'fields': []})
2018-03-09 12:40:56,282 S: SUCCESS ({'bookmark': 'neo4j:bookmark:v1:tx831'})
A: If I change to driver = GraphDatabase.driver("bolt://localhost:7687", auth=("neo4j", "password")) from driver = GraphDatabase.driver("bolt://192.168.1.90:7687", auth=("neo4j", "password")), then it works well. Who can explain WHY?
Debug Log changed TO
2018-03-09 12:55:47,944 ~~ [CONNECT] ('::1', 7687, 0, 0)
2018-03-09 12:55:47,945 ~~ [SECURE] ::1
2018-03-09 12:55:47,951 C: [HANDSHAKE] 0x6060B017 [1, 0, 0, 0]
2018-03-09 12:55:47,953 S: [HANDSHAKE] 1
FROM
2018-03-09 12:40:56,212 ~~ [CONNECT] ('192.168.1.90', 7687)
2018-03-09 12:40:56,213 ~~ [SECURE] 192.168.1.90
018-03-09 12:40:56,221 C: [HANDSHAKE] 0x6060B017 [1, 0, 0, 0]
2018-03-09 12:40:56,224 S: [HANDSHAKE] 1
| {
"language": "en",
"url": "https://stackoverflow.com/questions/49214218",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Best way to display pdf embedded in browser (chrome, IE11/Edge, Safari) I am trying to display a pdf which is created by the GET call of a RESTful service. In the HTML I am using a object tag as below
<object data={{$ctrl.miEstimatePdfData}} type="application/pdf"
width="100%" height="100%" alt="pdf" class="view-pdf_document">
<p>Estimate Preview Cannot be displayed.</p>
</object>
In the js file
miEstimateService.getMitchellEstimate(response.estimate.id)
.then(function (response) {
var blob = new Blob([(response.data)], { type: 'application/pdf' });
if (window.navigator.msSaveOrOpenBlob) {
$window.navigator.msSaveOrOpenBlob(blob, "estimatePreview.pdf");
} else {
var fileUrl = URL.createObjectURL(blob);
$scope.miEstimatePdfData = $sce.trustAsResourceUrl(fileUrl);
}
});
This works flawlessly in chrome
Since IE11/ Edge does not allow displaying of the blob URL, I am using the .msSaveOrOpenBlob, but this does not open the pdf inside the browser window. It promts the user to save or open the pdf and opens it in Acrobat Reader (IE11) or in a new browser window (Edge).
In Safari, the PDF is rendered correctly in the browser but is not free flowing or scrollable, so most of the second page is not visible.
I have researched a lot and looked at a lot of the SO questions. Is there some solution which works for all the browsers - chrome, IE11/Edge and Safari?
Thanks,
SDD
| {
"language": "en",
"url": "https://stackoverflow.com/questions/39399499",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Xcode 7: UINavigationController's child view controller does not resize to fit parent's bounds I have a UIViewController subclass that I am pushing on to a navigation controller stack within a larger UISplitViewController. However, when I build with Xcode 7, I am finding the that the UIViewController subclass is not resizing to fit the bounds of its parent navigation controller. This was not an issue when building with previous SDKs.
When I inspect the view of the child view controller, I am getting the standard 600x600 size.
The child view controller is entirely defined in code; I am not using IB for its layout or anything like that. What gives?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/32956355",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Variable name depending on a value I would like to create as many vecs according to a variable in a for loop. Is there an easy way?
In the example below, I would like to get 2 different Vec, the first called vec_0 and the second vec_1. Any ideas on how to do it or how can I overcome this situation in another way?
for i in 0..2 {
let vec_i = Vec::<i32>::with_capacity(100);
}
A: Vecs can contain Vecs too:
let mut vecs: Vec<Vec<i32>> = vec![]; // or Vec::with_capacity(2)
for _ in 0..2 {
vecs.push(Vec::with_capacity(100));
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/69601843",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: fetch logs for an application in RStudio Connect? Is there a way to pulls the jobs from the logs in RStudio Connect? I know that we can go to the application, click on each job under the logs and look for info but is there a way I can pull all the logs as an API or anything? I am trying to pull the logs, tweak them and display in another app for some users.
TIA
| {
"language": "en",
"url": "https://stackoverflow.com/questions/72251443",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Jquery menu close after click on link I'm using http://www.hongkiat.com/blog/responsive-web-nav/ this tutorial exactly for my site menu, but the only problem is I am making a one page website. I want the mobile menu to close after I click on 'about' for example. so that it will scroll to the bottom.
I hope you can help me.
This is my cod:
<!-- Menu Navigation Start -->
<nav class="clearfix">
<ul class="clearfix">
<li><a href="#">k</a></li>
<li><a href="#">How-to</a></li>
<li><a href="#">Icons</a></li>
<li><a href="#">Design</a></li>
<li><a href="#">Web 2.0</a></li>
<li><a href="#">Tools</a></li>
</ul>
<a href="#" id="pull">Menu</a>
</nav>
And this is the javascript:
<script>
$(function() {
var pull = $('#pull');
menu = $('nav ul');
menuHeight = menu.height();
$(pull).on('click', function(e) {
e.preventDefault();
menu.slideToggle();
});
$(window).resize(function(){
var w = $(window).width();
if(w > 320 && menu.is(':hidden')) {
menu.removeAttr('style');
}
});
});
</script>
A: The selecor is wrong
if you have
var pull = $('#pull');
Wouldn't it be
pull.on('click', function(e) {...
or just
$('#pull').on(...)
A: Try this. It'll execute the slideToggle function when a nav item is clicked.
menu.find('a').click(function(){
menu.slideToggle();
});
A: If you want slideUp the Menu when you click outside of it you can use the method
stopPropagation();
http://jsfiddle.net/Joseph82/jwNEZ/
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19059619",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to match two tables and insert it into another table in laravel 5.4? I need to match two tables and insert it into the disbursment table, so this is my code...
public function store(Request $request)
{
//Approved Request
$approvedRequest= DB::table('request')
->where('users_MemId',Auth::user()->MemId)
->where('requestStatus','Approved')
->join('requestdetails','request.requestId','=','requestdetails.request_requestId')
->join('itemattribute','requestdetails.RequestDetailsId','=','itemattribute.RequestDetailsId')
->join('exudeinventory', 'itemattribute.AttrName', '=', 'exudeinventory.ItemName')
->select('itemattribute.AttrName', 'exudeinventory.InventoryId', 'request.requestId')
->get();
// dd($approvedRequest);
store function.
I've tried matching the tables and I can't figure out on how to insert the values in another table or if I am doing it right.
I've been looking for solutions but still I can't figure it out, Hope that someone would help me and explain it to me, I am new to laravel T,T
A: Maybe you can do this:
public function store(Request $request)
{
//Approved Request
$approvedRequest= DB::table('request')
->where('users_MemId',Auth::user()->MemId)
->where('requestStatus','Approved')
->join('requestdetails','request.requestId','=','requestdetails.request_requestId')
->join('itemattribute','requestdetails.RequestDetailsId','=','itemattribute.RequestDetailsId')
->join('exudeinventory', 'itemattribute.AttrName', '=', 'exudeinventory.ItemName')
->select('itemattribute.AttrName', 'exudeinventory.InventoryId', 'request.requestId')
->get()
->each (function ($request, $key) {
$dis = new Disbursment;
$dis->DisbursmentId = rand(1, 999999);
$dis->ItemImage = 'default.jpg';
$dis->ItemTypeId = $request->AttrName;
$dis->exudeinventory_InventoryId = $request->InventoryId;
$dis->request_requestId = $request->requestId;
$dis->save();
});
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/47167828",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to draw a line according to screen weight in HTML How can I draw the line showing in the picture below?
my current page looks like this:
I want to add that line at the top with the same title
(just to mention I'm using bootstrap 5)
<div class="container-fluid fixed-bottom" style="margin-bottom: 16px;">
<div class="row align-items-center" style="margin-left: 196px; margin-right: 196px;">
<div class="col align-items-center d-flex justify-content-center">
<div class="text-center bottomElement">
<img class="img-fluid bottomIcon" src="/assets/business.png" width="56px" height="56px" />
<p class="bottomText" style="color: white;">Business</p>
</div>
</div>
<div class="col align-items-center d-flex justify-content-center">
<div class="text-center bottomElement">
<img class="img-fluid bottomIcon" src="/assets/calculator.png" width="56px" height="56px" />
<p class="bottomText" style="color: white;">Calculator</p>
</div>
</div>
<div class="col align-items-center d-flex justify-content-center">
<div class="text-center bottomElement">
<img class="img-fluid bottomIcon" src="/assets/oogPermits.png" width="56px" height="56px" />
<p class="bottomText" style="color: white;">OOG Permits</p>
</div>
</div>
<div class="col align-items-center d-flex justify-content-center">
<div class="text-center bottomElement">
<img class="img-fluid bottomIcon" src="/assets/services.png" width="56px" height="56px" />
<p class="bottomText" style="color: white;">Services</p>
</div>
</div>
<div class="col align-items-center d-flex justify-content-center">
<div class="text-center bottomElement">
<img class="img-fluid bottomIcon" src="/assets/career.png" width="56px" height="56px" />
<p class="bottomText" style="color: white;">Career</p>
</div>
</div>
</div>
</div>
A: You can use flexbox. Then, you have to play with the borders. Here is an example
<html>
<header>
<meta charset="utf-8" />
<title>Example App</title>
<link
href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"
rel="stylesheet"
integrity="sha384-EVSTQN3/azprG1Anm3QDgpJLIm9Nao0Yz1ztcQTwFspd3yD65VohhpuuCOmLASjC"
crossorigin="anonymous"
/>
</header>
<body>
<div class="content d-flex justify-content-center">
<div class="left-border align-self-center"></div>
<div class="text">FAST NAVIGATOR</div>
<div class="right-border align-self-center"></div>
</div>
<div class="text-center">Your content here</div>
</body>
</html>
<style>
.content {
padding: 1rem;
}
.left-border {
border: 2px solid black;
width: 100%;
height: 10px;
border-bottom: none;
border-right: none;
background: transparent;
}
.text {
font-size: 12px;
white-space: nowrap;
padding-left: 16px;
padding-right: 16px;
margin-top:-8px;
}
.right-border {
border: 2px solid black;
width: 100%;
height: 10px;
border-bottom: none;
border-left: none;
background: transparent;
}
</style>
A:
fieldset {
padding: 0;
height: 8px;
border-bottom: none;
}
<fieldset>
<legend align="center">Title</legend>
</fieldset>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/74144380",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Get index of regex match in pandas dataframe not working I have an excel worksheet that I am reading into pandas for parsing and later analysis. It has the following format. All values are strings. They will be converted to floats/ints later but having them as strings helps with parsing.
column1 | column2 | column3 |
-----------------------------
12345 |10 |20 |
txt |25 |65 |
35615 |15 |20 |
txt |35 |20 |
I need to get the index of all 5 digit, numerical values in column1. It will always be a 5 digit. I am using the following regex.
\b\d{5}\b
I am having problems getting pandas to properly match the 5 digits when using any of the built in string methods.
I have tried the following.
df.column1.str.contains('\b\d{5}\b', regex=True).index.list()
df.column1.str.match('\b\d{5}\b').index.list()
I am expecting it to return
[0,2]
Both of these return an empty list. What am I doing wrong?
A: Add r before string, filter by boolean indexing and get index values to list:
i = df[df.column1.str.contains(r'\b\d{5}\b')].index.tolist()
print (i)
[0, 2]
Or if want parse only numeric values with length 5 change regex with ^ and $ for start and end of string:
i = df[df.column1.str.contains(r'^\d{5}$')].index.tolist()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/59916417",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: Get values of XML nodes with foreach I am working on a programm with C# and a XML-File. I want to read the values of the xml-nodes but I get an issue with that. In the second part, where I am trying to get the content, it only does one loop and not three. The first values are correct. I don't know why it only makes the first loop. I hope someone can help me.
My XML-File:
<?xml version="1.0" encoding="utf-8"?>
<lagerverwaltung>
<article>
<inventory id="1">
</inventory>
<orders>
<order id="1">
<id>1</id>
<idposition>1</idposition>
<content>
<idarticle amount="4">2</idarticle>
<idarticle amount="3">3</idarticle>
<idarticle amount="2">1</idarticle>
</content>
<idcustomer>2</idcustomer>
<orderdate>05.01.2018 15:10:44</orderdate>
<paydate>05.02.2018</paydate>
<mwst>7.7</mwst>
<total>1781.358</total>
</order>
</orders>
</article>
</lagerverwaltung>
My C#-Code:
List<Order> orderList = new List<Order>();
XmlDocument xml = new XmlDocument();
xml.Load(xmlFilePath);
XmlNodeList xnList = xml.SelectNodes("/lagerverwaltung/article/orders/order");
foreach (XmlNode xn in xnList)
{
// Is working
string id = xn["id"].InnerText;
string bestellPositionId = xn["idposition"].InnerText;
string kundeId = xn["idcustomer"].InnerText;
string bestelldatum = xn["orderdate"].InnerText;
string rechnungsDatum = xn["paydate"].InnerText;
string mwst = xn["mwst"].InnerText;
string rechnungsTotal = xn["total"].InnerText;
XmlNodeList xnInhalt = xml.SelectNodes("/lagerverwaltung/article/orders/order[@id='" + id + "']/content");
Dictionary<string, string> content= new Dictionary<string, string>();
foreach (XmlNode xmlNode in xnInhalt) // Does only one loop
{
string articleid = xmlNode["idarticle"].InnerText;
string amount = xmlNode["idarticle"].GetAttribute("amount");
content.Add(articleid, amount);
}
}
A: There is a single content node, use content/idarticle to get the inner collection:
XmlNodeList xnInhalt = xml.SelectNodes("/lagerverwaltung/article/orders/order[@id='" + id
+ "']/content/idarticle");
You would then modify the following code because xmlNode now refers to an idarticle. For example,
string articleid = xmlNode.InnerText;
| {
"language": "en",
"url": "https://stackoverflow.com/questions/48116139",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: The correct way to OAuth from a desktop client without a server I am working on an extension which must connect with Facebook to download some user data. I am somewhat new to the details of the OAuth dance, and have not been able to implement this with a desired level of security. In the current setup (which works) I am concerned about evildoers hijacking my application's name and using it to post spam.
I have tried many different techniques to implement OAuth (Login With Facebook in particular) in my extension. The current setup uses Facebook's Manual Login flow.
*
*Open OAuth popup window in sandboxed tab.
*Set redirect_url to special, internal facebook page which does not require configured redirect URLs, set the auth_token parameter to return an auth_token, not temp code.
*Inject javascript into the special redirect page which posts a message to the extension with the auth_token.
This works as expected. I am able to retrieve user auth_tokens after they give my app permission via popup.
I am concerned about security since the extension does not have a server to store a secret key, nor does it have a valid domain to limit redirect_urls and verify the authenticity of authorization requests. Due to this flow: a hacker could simply download the source to my extension, steal the Facebook App ID, generate popup windows for my app from their own websites, and obtain auth_tokens which can post on behalf "via" my application.
Even more concerning, the official Google Chrome gudie to OAuth in Extensions recommends embedding your consumer_secret in the extension. This seems counter-intuitive.
I am reasonably confident this can be solved in two ways:
*
*Creating my own server which acts as a proxy between my extension and Facebook. I could set the redirect_url to my custom domain, store the consumer_secret on my server, and define a narrow API between the client and my own server.
*Restrict the authorization redirect to my Chrome Extension ID (sort of like how Facebook iOS SDK uses App store bundle identifiers). Unfortunately, I can not associate my Facebook app with a Chrome extension ID. It says "invalid URL."
I would prefer the 2nd option, as running a server can be costly and introduces another point of failure for the extension. Users also have to deal with "black box" code holding their auth_tokens, which sucks.
Interestingly, it looks like Facebook makes special exception for ms-app:// URLs (Windows 8 applications). Why not chrome-extension:// urls?
So my question: -- Is this possible? Am I missing something? Secondly: Am I being paranoid about this type of hijacking attack? It seems fairly benign, but I would rather not allow hackers to hijack my app's oauth dialog.
Thank You
A: Your intuition is correct. According to facebook's developer doc's:
Never include your App Secret in client-side or decompilable code.
The reason for this is exactly what you said, even in compiled, obfuscated byte code, it is fairly trivial using modern methods to reverse engineer the app secret, even if you are using https.
The best practice in this situation would be to have a hosted api that would be used to proxy all logins through an external source, and to hide your app id and app secret in a separate config file.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/21791631",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "6"
} |
Q: Elasticsearch aggregation group by using elastic4s I want to query total sum of sales grouped by product name in Elasticsearch
How do I do that using elastic4s?
client.execute {
search ("sales"/ "sales_type")
.query {rangeQuery("date") gte "01-01-2018" lte "31-12-2018" }
.aggs { termsAgg("s1","product_name")}
.aggs (sumAgg("sums","total_sum"))
}
currently my code just sums up all in given date range, not grouping by product name
A: You've probably found an answer by now anyway, but here's my 2p worth for anyone else who comes across this.... you probably want to use a sub-aggregation on product_name rather than a second aggregation on the whole dataset.
Something like this (untested code, but based on a working part of one of my projects):
.query {rangeQuery("date") gte "01-01-2018" lte "31-12-2018" }
.aggs { termsAgg("s1","product_name").subAggregations(
sumAgg("sums","total_sum")
)
}
The results come back as a bunch of nested Map[String,Any] which take a bit of sorting through, but some logging/print statements and a bit of trial and error sorted it out for me.
Reference is here: https://github.com/guardian/archivehunter/blob/47372d55d458cfe31e5d9809910cc5d9a4bbb9bf/app/controllers/SearchController.scala#L203, in that case I am processing it down for rendering in a browser frontend with ChartJS.
Apologies for brevity, but I'm on the hop at the moment and haven't got long to post :)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/51908862",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Match NSDictionary Key Value Pairs I have the following NSDictionary with the following data structure:
Food Count (values) - Food Name (key)
I sort that NSDictionary's food count like so:
NSArray *sortedFood = [[detailDictionary allValues] sortedArrayUsingComparator:^(id obj1, id obj2) {
if ([obj1 intValue] < [obj2 intValue])
return (NSComparisonResult)NSOrderedDescending;
if ([obj1 intValue] > [obj2 intValue])
return (NSComparisonResult)NSOrderedAscending;
return (NSComparisonResult)NSOrderedSame;
}];
It has sorted it the following way
100
98
50
30
etc.
I am trying to use that new sortedFood array to then only show the top 5 value, key pairs for the food.
For example, if Apple's is the name of the food that has the value of 100, it would appear first.
So far I have the loop, but nothing else.
for (int i = 0; i <= 5; i++) {
}
Not sure what else to do. I think this is more difficult because the whole dictionary isn't sorted in the same way as the new array, but I could be wrong.
A: I think you should try
-[keysSortedByValueUsingSelector:] in NSDictionary, it is sorted by value and get the key results.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/28933834",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: I want to lock a part of a async method in python basically it should be a(name based lock) where name is passed as argument to the method In the below code the test() function waits for the request from UI as the request is received in JSON form it creates a task for every request by calling handle() fucntion
async def test():
loop = asyncio.get_running_loop()
req = await receiver.recv_string()
logger.debug(f"Request received {req}")
req_json = json.loads(req)
logger.debug("Await create_task")
loop.create_task(handle(req_json))
async def handle(req_json_):
req_name = req_json_.get(req_name)
# acquire lock here based on req_name if request comes with different name acquire the lock
# but if the request comes with same name block the request
# untill the req for that name is completed if the request is already completed then acquire
# the lock with that name
logger.info(f"Request finished with req name {req_name} for action patch stack")
How can achieve this with asyncio module or any other way in python
A: It seems to me that all you need to do is maintain a dictionary of locks whose keys are the names given by variable req_name and whose values are the corresponding locks. If the key reg_name is not already in the dictionary, then a new lock for that key will be added:
import asyncio
from collections import defaultdict
# dictionary of locks
locks = defaultdict(asyncio.Lock)
async def handle(req_json_):
req_name = req_json_.get(req_name)
# acquire lock here based on req_name if request comes with different name acquire the lock
# but if the request comes with same name block the request
# untill the req for that name is completed if the request is already completed then acquire
# the lock with that name
# Get lock from locks dictionary with name req_name. If it
# does not exit, then create a new lock and store it with key
# req_name and return it:
lock = locks[req_name]
async with lock:
# do whatever needs to be done:
...
logger.info(f"Request finished with req name {req_name} for action patch stack")
Update
If you need to timeout the attempt to acquire a lock, then create a coroutine that acquires the passed lock argument in conjunctions with a call to asyncio.wait_for with a suitable timeout argument:
import asyncio
from collections import defaultdict
async def acquire_lock(lock):
await lock.acquire()
# dictionary of locks
locks = defaultdict(asyncio.Lock)
async def handle(req_json_):
req_name = req_json_.get(req_name)
lock = locks[req_name]
# Try to acquire the lock but timeout after 1 second:
try:
await asyncio.wait_for(acquire_lock(lock), timeout=1.0)
except asyncio.TimeoutError:
# Here if the lockout could not be acquired:
...
else:
# Do whatever needs to be done
# The lock must now be explicitly released:
try:
...
logger.info(f"Request finished with req name {req_name} for action patch stack")
finally:
lock.release()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/70506347",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: EmguCV detect keypoints from 3D Model Is there a way i can retrieve the observed keypoints from a 3D model instead from an image. This is since i need to track an uneven object (simple spaceship right now: http://i.msdn.microsoft.com/dynimg/IC129855.jpg) that can be visible from any side. Currently the system works somewhat fine when using an image but like i said i need it be able to identify the model if being viewed from any side. Currently using an implementation of the SURF tutorial found over here:
http://www.emgu.com/wiki/index.php/SURF_feature_detector_in_CSharp
Moreover is there a way to specify the detail of the keypoints or the number?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/13181929",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Positioning 2 QDialog forms relative to one each other I have created 2 QDialogs forms, D1 and D2. How is it possible to make D1 and D2 have a constant distance from each other (If I move D1, D2 also moves and vise versa)?
A: I think it'll end up being a bit tedious but one thing you might try is to have both dialogs parented by a minimalist container using a window mask. So something like...
class minimalist_container: public QWidget {
using super = QWidget;
public:
explicit minimalist_container (QWidget *parent = nullptr)
: super(parent)
{}
protected:
virtual void resizeEvent (QResizeEvent *event) override
{
/*
* Start with an empty mask.
*/
QRegion mask;
/*
* Now loop though the children and add a region to
* the mask for each child based on its geometry.
*/
for (const auto *obj: children()) {
if (const auto *child = dynamic_cast<const QWidget *>(obj)) {
mask += child->geometry();
}
}
setMask(mask);
super::resizeEvent(event);
}
};
Then you can add a layout and children to this in the usual way but the parent itself should be essentially invisible...
minimalist_container minimalist_container;
auto *minimalist_container_layout = new QHBoxLayout;
minimalist_container_layout->addWidget(new QColorDialog);
minimalist_container_layout->addStretch(1);
minimalist_container_layout->addWidget(new QFontDialog);
minimalist_container.setLayout(minimalist_container_layout);
minimalist_container.show();
The code above links all children within the masked parent widget so that they appear visually distinct but move together when the parent is moved.
There are a few niggles however. The title bar of the parent is, by default, the only one visible whereas what I think you really want is for the parent title bar to be the only one that isn't visible. It can certainly be hidden by setting the window flags and/or configuring your window manager but you'll probably then have to write code to handle the usual move, resize functions etc.
So, as I say... tedious, but it could certainly work.
A: You can install an event filter to monitor the moving/resizing of the source window and propagate changes to the target window. On OS X, you also need to monitor the non-client area button press, since the window move events are not sent while the window is moving, but only after it has stopped for a short time.
I leave the propagation in opposite direction as an exercise to the reader :)
// https://github.com/KubaO/stackoverflown/tree/master/questions/win-move-track-42019943
#include <QtWidgets>
class WindowOffset : public QObject {
Q_OBJECT
QPoint m_offset, m_ref;
QPointer<QWidget> m_src, m_dst;
void adjust(QEvent * event, const QPoint & delta = QPoint{}) {
qDebug() << "ADJUST" << delta << event;
m_dst->move(m_src->geometry().topRight() + m_offset + delta);
}
protected:
bool eventFilter(QObject *watched, QEvent *event) override {
#ifdef Q_OS_OSX
if (watched == m_src.data()) {
if (event->type() == QEvent::NonClientAreaMouseButtonPress) {
m_ref = QCursor::pos();
qDebug() << "ACQ" << m_ref << event;
}
else if (event->type() == QEvent::NonClientAreaMouseMove &&
static_cast<QMouseEvent*>(event)->buttons() == Qt::LeftButton) {
auto delta = QCursor::pos() - m_ref;
adjust(event, delta);
}
}
#endif
if ((watched == m_src.data() &&
(event->type() == QEvent::Move || event->type() == QEvent::Resize)) ||
(watched == m_dst.data() && event->type() == QEvent::Show)) {
if (event->type() == QEvent::Move)
m_ref = QCursor::pos();
adjust(event);
}
return false;
}
public:
WindowOffset(const QPoint & offset, QObject * parent = nullptr) :
QObject{parent},
m_offset{offset}
{}
WindowOffset(QWidget * src, QWidget * dst, const QPoint & offset, QObject * parent = nullptr) :
WindowOffset{offset, parent}
{
src->installEventFilter(this);
dst->installEventFilter(this);
m_src = src;
m_dst = dst;
}
};
int main(int argc, char ** argv) {
QApplication app{argc, argv};
QLabel d1{"Source"}, d2{"Target"};
WindowOffset offset{&d1, &d2, {200, 50}};
for (auto d : {&d1, &d2}) {
d->setMinimumSize(300,100);
d->show();
}
return app.exec();
}
#include "main.moc"
| {
"language": "en",
"url": "https://stackoverflow.com/questions/42019943",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Contact form 7 dropdown not working All of a sudden my drop down lists in Contact Form 7 are not working and cannot for the life of me figure it out. there are two spots where this happens as you can see in the form.
I have already looked into the code but no idea
http://www.aimbookingagency.com/offer-form/
its not listing them all and the box is SUPER tall. I am not a form expert by ANY means so I appreciate the help!
A: I did not find the problem but I re created the problem sections "SELECT dropdown menus" and it seemed to format fine. So I deleted the bad versions.
not sure if this will help anyone in the future.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/42705899",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Code delimiter in Visual Studio I've forgot the reserved word before the # (or is it after?) for delimiter code snippets as I'd like.
You know the ones with the + for expanding the code and - for closing the code snippet. The ones the comes automatically in a class a method etc'...
A: You are looking for #region
#region foo
public static foo()
{
}
#endregion foo
However, using regions is frowned upon.
A: the name comes after the #
#region MyClass definition
public class MyClass
{
....
}
#endregion
Reference: https://msdn.microsoft.com/en-us/library/9a1ybwek.aspx
| {
"language": "en",
"url": "https://stackoverflow.com/questions/28072547",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Read list of large .asc type files in python .memory related issue I have a folder with 50 large .asc type files each with size ~2.5Gb. These contains data from CAN signals ,how to read these files using python.I tried using numpy genfromtxt for reading files but having issues related to memory .What is the efficient way to read all the .asc files in folder into python for analysis purpose.
Thanks
Akshay
A: You would feed the data into chunks with a for loop.
Cory Schafer's video demonstrates this in his video:
https://www.youtube.com/watch?v=Uh2ebFW8OYM&t=607s
| {
"language": "en",
"url": "https://stackoverflow.com/questions/65503696",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Adding suffix to labels on x-axis I need to plot some values referred to time, with specific labels.
You can think of my data like the sample below:
ID Time Clock
260 21 hours 20:30 # this should be referred to yesterday
127 21 hours 20:30
7 5 hours 12:30
10 6 hours 11:30
8 6 hours 11:30
... ... ...
62 NaN NaN
82 NaN NaN
Time refers to time ago looking at the current one (approx UK 17:40), while Clock should be the 'watch time', i.e., the current one (approx. 17:40) minus the number of hours given by the Time column.
In Time the sorting should be from the highest to the lowest, similarly to Clock.
The column types are both objects.
In a plot, should I have the ID on the vertical axis and Clock on the x-axis.
This means on the x-axis should I have clock time, looking at Clock column. For example, 48:00 would mean 48 hours ago.
I would like to have, instead of 20:30 or 48:00, the following labels, for example: 20 hours ago, 48 hours ago.
import matplotlib.pyplot as plt
plt.scatter(df['Clock'], df['ID'])
plt.show()
However, I need some help to add a suffix (i.e., hours ago) or replace time's labels on x-axis.
A: Currently you are passing the values from the Clock column to be plotted on the x-axis and since these are strings, matplotlib interprets them as a categorical variable. If you are okay with this, then each of the x-ticks will be spaced equally apart regardless of their value (but we can sort the DataFrame before passing it), and then to get the desired tick labels you can take the portion of the string before the colon symbol (for example '20' from the string '20:30') and add the string ' hours ago' to that string to get '20 hours ago'. Then pass each of these strings as labels to the plt.xticks method, along with the original ticks in the Clock column.
import matplotlib.pyplot as plt
import pandas as pd
## recreate the data with times unsorted
df = pd.DataFrame({
'ID':[260,127,7,10,8],
'Time':['21 hours','21 hours','5 hours','6 hours','6 hours'],
'Clock':['20:30','20:30','12:30','11:30','11:30',]
})
df_sorted = df.sort_values(by='Clock',ascending=False)
plt.scatter(df_sorted['Clock'], df_sorted['ID'])
## avoid plotting duplicate clock ticks over itself
df_clock_ticks = df_sorted.drop_duplicates(subset='Clock')
## take the number of hours before the colon, and then add hours ago
plt.xticks(ticks=df_clock_ticks['Clock'], labels=df_clock_ticks['Clock'].str.split('\:').str[0] + ' hours ago')
plt.show()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/67047808",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Using md-progress-linear inside md-dialog I am trying to use md-progress-linear inside an md-dialog. The code for my progress bar is like below.
<div class="container">
<md-progress-linear md-mode="determinate" value="{{testCounter}}"></md-progress-linear>
<div class="bottom-block">
<span>Loading application libraries...</span>
</div>
</div>
Normally its working fine, but when i use it inside a md-dialog its not working.
plunker link
In the above link the code i used is available, the liner bar in the home page is working fine. But when i click on open the modal is getting open, but the liner bar is not appearing.
A: Reason that your visual didn't recognized right.
Main div in dialog.html doesn't have sizes.
Put in md-dialog:
style="width: 100px; height: 100px;"
You will see that else works correctly.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/33823511",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Scala Spray Templated Custom Routing Directive Okay so.... I have this:
def convertPost = extract {
_.request.entity.asString.parseJson.convertTo[CustomClass]
}
private def myRoute: Route =
(post & terminalPath("routeness")) {
convertPost { req =>
detach() {
ThingHandler.getMyResults( req )
}
}
}
but I want to template it, like this:
def convertPost[T] = extract {
_.request.entity.asString.parseJson.convertTo[T]
}
private def myRoute: Route =
(post & terminalPath("routeness")) {
convertPost[CustomClass] { req =>
detach() {
ThingHandler.getMyResults( req )
}
}
}
But that doesn't work. I am using spray-json-shapeless. My error is
Error:(28, 50) Cannot find JsonReader or JsonFormat type class for T
_.request.entity.asString.parseJson.convertTo[T]
^
when I try:
def getStuff[T] = extract {
_.request.entity.asInstanceOf[T] // .convertTo[T]
}
it gives:
spray.http.HttpEntity$NonEmpty cannot be cast to com.stuff.CustomClass
| {
"language": "en",
"url": "https://stackoverflow.com/questions/37580299",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to open my jupyter notebook on docker after starting a docker? I wanna start my container and run the jupyternotebook on it. The image is from jupyter/scipy.
First, I start my contianer. Then I try to command 'jupyter notebook' to open it but seems like the port is not 8888, it turns to 8889. I dont know how to deal with this.
enter image description here
| {
"language": "en",
"url": "https://stackoverflow.com/questions/72016021",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: I was mocking an independent class method using the jest.spyOn but instead of mocked implementation, the actual method is called Class File
//Consumer class
class Consumer {
constructor(){
}
getConsumerData(){
//does something and does not return anything
}
}
Inside react component button click this method is being called
//ReactComponent.tsx
handleButtonClick() {
Consumer.getConsumerData();
}
Test File
const methodSpy = jest.spyOn(Consumer.prototype, "getConsumer").mockImplementation(()=>{});
expect(methodSpy).toHaveBeenCalled();
A: You can mock the whole Consumer
*
*Make sure Consumer is the default export of its file
import Consumer from './consumer';
///...
jest.mock('./consumer'); // SoundPlayer is now a mock constructor
beforeEach(() => {
// Clear all instances and calls to the constructor and all methods:
Consumer.mockClear();
});
/// Your tests
More details:
https://jestjs.io/docs/es6-class-mocks
| {
"language": "en",
"url": "https://stackoverflow.com/questions/73697848",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to get WebView Content Size I am looking to find WebView content size to scale data to fit into small size of WebView Frame.
WebView is continuous loading data as getting images from IP Camera so -(void)webViewDidFinishLoad delegate method is not called, otherwise [webview sizeThatFits:CGSizeZero] would give receiver content size.
How to get WebView content size which is continuous loading data ?
Thanks,
A: See my answer to a similar question. Instead of -webViewDidFinishLoad you should consider calling this using a timer (and checking whether something has been loaded, first).
If the HTML is under your control, you might wanna call it using a JavaScipt onLoad handler that tries to fetch a custom URL that you can intercept in -webView:shouldStartLoadWithRequest:navigationType:.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/2919113",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Calculating a windowed weighted moving average where each observation has its own weight I'm trying to calculate a windowed weighted moving average, with a window value of n. I essentially have a set of products, a price for each id, and a reference. I then calculate the ratio of the price with respect to the reference. (price = 45, reference = 45, distance = 1)
From this calculation I then obtain a weight for each observation. I would like to compare results when doing a simple moving average of all the prices and a weighted moving average.
library(tidyverse)
df <- tibble(id = c(1:15),
price = c(40,50,34,56,78,35,23,40,50,34,56,78,35,23,12),
product = c(sample(c("A","B"), 15, replace = TRUE)),
reference = 45,
distance = price / reference)
max_weight = 1
min_weight = 0
max_distance = 1
min_distance = 0
df <- df %>%
mutate(weight = case_when(
distance < 1 ~ (min_weight * (min_distance - distance) + max_weight * (distance - max_distance)) / (min_distance - max_distance) ,
TRUE ~ 1
)
)
> df %>%
+ head()
# A tibble: 6 x 6
id price product reference distance weight
<int> <dbl> <chr> <dbl> <dbl> <dbl>
1 1 40 B 45 0.889 0.111
2 2 50 B 45 1.11 1
3 3 34 B 45 0.756 0.244
4 4 56 A 45 1.24 1
5 5 78 B 45 1.73 1
6 6 35 A 45 0.778 0.222
Moving Average calculation:
moving_average <- function(x,n){stats::filter(x, c(0, rep(1/n,n)), sides=1) }
df <- df %>%
group_by(product) %>%
mutate(moving_average = moving_average(price, n =3))
> df %>%
+ head()
# A tibble: 6 x 7
# Groups: product [2]
id price product reference distance weight moving_average
<int> <dbl> <chr> <dbl> <dbl> <dbl> <dbl>
1 1 40 B 45 0.889 0.111 NA
2 2 50 B 45 1.11 1 NA
3 3 34 B 45 0.756 0.244 NA
4 4 56 A 45 1.24 1 NA
5 5 78 B 45 1.73 1 41.3
6 6 35 A 45 0.778 0.222 NA
Essentially, the last step would be to calculate a moving average such that:
sum(price_i * weight_i) / sum(weight_i)
And this calculation would only take place in the given window. I can already create a column that calculates sum(price_i * weight_i), but I'm stuck when it comes to correctly adding those values n times, and then dividing them by the corresponding n weights, where n is the moving average window. Any ideas?
A: I think zoo::rollapplyr should work here. Here's a simple n=2 window,
MA <- function(X) {
if (!is.matrix(X)) X <- matrix(X, nrow = 1)
Hmisc::wtd.mean(X[,1], X[,2])
}
df %>%
group_by(product) %>%
mutate(n2 = zoo::rollapplyr(
cbind(price, weight), 2, MA,
by.column = FALSE, partial = TRUE)
) %>%
ungroup()
# # A tibble: 15 x 7
# id price product reference distance weight n2
# <int> <dbl> <chr> <dbl> <dbl> <dbl> <dbl>
# 1 1 40 B 45 0.889 0.111 40
# 2 2 50 B 45 1.11 1 49
# 3 3 34 A 45 0.756 0.244 34
# 4 4 56 B 45 1.24 1 53
# 5 5 78 B 45 1.73 1 67
# 6 6 35 B 45 0.778 0.222 70.2
# 7 7 23 B 45 0.511 0.489 26.8
# 8 8 40 B 45 0.889 0.111 26.1
# 9 9 50 A 45 1.11 1 46.9
# 10 10 34 B 45 0.756 0.244 35.9
# 11 11 56 B 45 1.24 1 51.7
# 12 12 78 A 45 1.73 1 64
# 13 13 35 B 45 0.778 0.222 52.2
# 14 14 23 B 45 0.511 0.489 26.8
# 15 15 12 A 45 0.267 0.733 50.1
And here's a method demonstrating multiple windows in one call:
df %>%
group_by(product) %>%
mutate(
data.frame(lapply(
setNames(2:4, paste0("n", 2:4)),
function(n) zoo::rollapplyr(
cbind(price, weight), n, MA,
by.column = FALSE, partial = TRUE)
))
) %>%
ungroup()
# # A tibble: 15 x 9
# id price product reference distance weight n2 n3 n4
# <int> <dbl> <chr> <dbl> <dbl> <dbl> <dbl> <dbl> <dbl>
# 1 1 40 B 45 0.889 0.111 40 40 40
# 2 2 50 B 45 1.11 1 49 49 49
# 3 3 34 A 45 0.756 0.244 34 34 34
# 4 4 56 B 45 1.24 1 53 52.3 52.3
# 5 5 78 B 45 1.73 1 67 61.3 60.6
# 6 6 35 B 45 0.778 0.222 70.2 63.8 59.5
# 7 7 23 B 45 0.511 0.489 26.8 56.7 56.4
# 8 8 40 B 45 0.889 0.111 26.1 28.5 55.7
# 9 9 50 A 45 1.11 1 46.9 46.9 46.9
# 10 10 34 B 45 0.756 0.244 35.9 28.4 29.8
# 11 11 56 B 45 1.24 1 51.7 50.7 43.4
# 12 12 78 A 45 1.73 1 64 60.7 60.7
# 13 13 35 B 45 0.778 0.222 52.2 49.2 48.5
# 14 14 23 B 45 0.511 0.489 26.8 43.8 42.6
# 15 15 12 A 45 0.267 0.733 50.1 50.0 48.7
This method takes advantage of the not-well-known behavior of mutate with an unname argument that returns a data.frame. The use of setNames is so that the column names are meaningfully named, there are likely other ways one might approach that.
There's not a particular reason I'm using Hmisc::wtd.mean over a custom function other than I know it works well. The use of the MA function is because within zoo::rollapply*, the FUN= argument is passed a single matrix, so we need to handle it specially, even more so because due to partial=TRUE, the first time MA is called for each group, it is passed a vector instead of a matrix.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/71470417",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Azure Devops: Approval for several Service Endpoints as a whole I´m configuring a YAML deployment pipeline for a certain app which includes several service endpoints (of different types). Deployment of this app must have an approbal from the owner of all these resources. Problem comes from the fact that you can configure an approval for each service endpoint, but not for the whole set. Due to this, the resource owner receives 5 approval requests every time the app is being deployed (and every of these has to be approbed individually).
Any way of grouping the approval of several service endpoints in only one approval step? (Looking for something like Environments, where an "Environment level" approval can be set giving acces to the whole set of resources of that Environment. Sadly, I can not put a service endpoint there, only VM´s o Kubernetes).
Remark: I think this can be achieved with classic pipelines setting a stage approval, but my requirement is using YAML.
Regards.
A: I am afraid that there is no such a feature in azure devops to group the approval requests of service endppoints currently.
Actually, the resource owner doesnot need to click multiple times to approve each individual approval request for a pipeline run. He can simply click Approval All to approve at once
In my test yaml pipeline, I included several service endpoints in my yaml pipeline. When i run the pipeline. The resource owner will receive the approval requests. He can click the Approval All button to approve all the requests in a single click, he can also choose to approve each specific approval request. See below screenshot.
If above approval all feature in azure devops can not achieve what you expect with grouping the approval requests of service endpoints. You can suggest a feature to microsoft development team. Hope they will consider implementing this feature in the future sprint.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/63116785",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Fetch event .focusout from input field in table cell First, I have a Google visualisation dataTable.
After that I create a for loop to get table cell values and put then in input fields:
for (var y = 0, maxrows = data.getNumberOfRows(); y < maxrows; y++) {
for (var x = 1, maxcols = data.getNumberOfColumns(); x < maxcols; x++) {
data.setValue(y, x, '<input id="costRedovi" vr="'+ data.getValue(y,0) + '" kol="'+ data.getColumnLabel(x) +'" class="form-control" value="'+data.getValue(y,x)+'">');
}
}
Now every value is into table cell into input field. Now I can change those values when table is ready, but how to get those values now because my script produce this HTML code now. Also I need to get value on event .focusout on an input field:
<tr class="google-visualization-table-tr-even google-visualization-table-tr-sel">
<td class="google-visualization-table-td"><input id="costRedovi" vr="2013-04-01" kol="John Deer n7" class="form-control" value="0"></td>
<td class="google-visualization-table-td"><input id="costRedovi" vr="2013-04-01" kol="Laza Lazic" class="form-control" value="0"></td>
</tr>
I tried to do this:
new google.visualization.events.addListener(table, 'ready', function () {
$("#costRedovi").focusout(function() {
console.log($('#costRedovi').attr('value'));
});
});
The problem is that every input has the same ID now.
A: If you were to use a class instead of an ID, that is:
<tr class="google-visualization-table-tr-even google-visualization-table-tr-sel">
<td class="google-visualization-table-td"><input vr="2013-04-01" kol="John Deer n7" class="form-control costRedovi" value="0"></td>
<td class="google-visualization-table-td"><input vr="2013-04-01" kol="Laza Lazic" class="form-control costRedovi" value="0"></td>
</tr>
You could then retrieve the unfocused-input like so:
$(".costRedovi").focusout(function() {
var origval = $(this).attr('value');
var editedval = $(this).val();
console.log("before: " + origval + ", after:" + editedval);
});
| {
"language": "en",
"url": "https://stackoverflow.com/questions/22788237",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Write a Python script named ten-sum-even.py which outputs the sum of only the even integers encountered My Attempt:
n = 10
total = 0
i = 0
while i < n:
if i % 2 == 0:
print(total)
else:
print(i)
total = total + int(input())
i = i + 1
Terminal is still counting every number
A: Mistake:
You are on right track but just printing in case its even wont help. You actually need to add that number to the total sum so far as:
n = 10
total = 0
i = 0
while i < n:
if i % 2 == 0:
total+=i
else:
print(i)
i+=2
print(total)
Or simply:
print(sum([i for i in range(n) if i%2==0]))
A: n = 10
sum = 0
for i in range(0, n):
if i % 2 == 0:
sum += i
print (sum)
A: n = 10
total = 0
for i in range(10):
if i % 2 == 0:
total = total + i
print("Total of even numbers is " + total)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/64513019",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Rate limiting with lua We have implemented redis based rate limiting for our web service which has been taken from here. I am duplicating the relevant code here.
local limits = cjson.decode(ARGV[1])
local now = tonumber(ARGV[2])
local weight = tonumber(ARGV[3] or '1')
local longest_duration = limits[1][1] or 0
local saved_keys = {}
-- handle cleanup and limit checks
for i, limit in ipairs(limits) do
local duration = limit[1]
longest_duration = math.max(longest_duration, duration)
local precision = limit[3] or duration
precision = math.min(precision, duration)
local blocks = math.ceil(duration / precision)
local saved = {}
table.insert(saved_keys, saved)
saved.block_id = math.floor(now / precision)
saved.trim_before = saved.block_id - blocks + 1
saved.count_key = duration .. ':' .. precision .. ':'
saved.ts_key = saved.count_key .. 'o'
for j, key in ipairs(KEYS) do
local old_ts = redis.call('HGET', key, saved.ts_key)
old_ts = old_ts and tonumber(old_ts) or saved.trim_before
if old_ts > now then
-- don't write in the past
return 1
end
-- discover what needs to be cleaned up
local decr = 0
local dele = {}
local trim = math.min(saved.trim_before, old_ts + blocks)
for old_block = old_ts, trim - 1 do
local bkey = saved.count_key .. old_block
local bcount = redis.call('HGET', key, bkey)
if bcount then
decr = decr + tonumber(bcount)
table.insert(dele, bkey)
end
end
-- handle cleanup
local cur
if #dele > 0 then
redis.call('HDEL', key, unpack(dele))
cur = redis.call('HINCRBY', key, saved.count_key, -decr)
else
cur = redis.call('HGET', key, saved.count_key)
end
-- check our limits
if tonumber(cur or '0') + weight > limit[2] then
return 1
end
end
end
I am trying to figure out the meaning of the comment -- don't write in the past
I don't see how a case would be possible where old_ts is greater than now
I have put logs all over the lua code but without any success.
At maximum old_ts can be equal to saved.trim_before which in turn can be equal to now if precision is 1 and blocks is 1. But not greater .
It would be helpful if someone has insights on it.
A: If you look at the gist provided in the article
https://gist.github.com/josiahcarlson/80584b49da41549a7d5c
There is comment which asks
In over_limit_sliding_window_lua_, should
if old_ts > now then
at here be
if old_ts > saved.block_id then
And I agree to this, the old_ts is supposed to have the bucket and when the bucket jumps to the next slot, that is when old_ts will be greater then than the block_id
| {
"language": "en",
"url": "https://stackoverflow.com/questions/56885604",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "4"
} |
Q: How can I add remote repositories in Mercurial? I am working with Git repositories in the following way:
*
*I have the master repository and several remotes on the different production machines.
*I am pushing the production code to the remotes and restart the services for the changes to take effect.
I am about to switch from Git to Mercurial and I would like to know ahead how I can achieve something like that.
A: You could have a look at hg-git GitHub plugin:
adding the ability to push to and pull from a Git server repository from Mercurial.
This means you can collaborate on Git based projects from Mercurial, or use a Git server as a collaboration point for a team with developers using both Git and Mercurial.
Note: I haven't tested that tool with the latest versions of Mercurial.
A: You add entries to the [paths] section of your local clone's .hg/hgrc file. Here's an example of a section that would go in the .hg/hgrc file:
[paths]
remote1 = http://path/to/remote1
remote2 = http://path/to/remote2
You can then use commands like hg push remote1 to send changesets to that repo. If you want that remote repo to update is working directory you'd need to put a changegroup hook in place at that remote location that does an update. That would look something like:
[hooks]
changegroup = hg update 2>&1 > /dev/null && path/to/script/restart-server.sh
Not everyone is a big fan of having remote repos automatically update their working directories on push, and it's certainly not the default.
A: if you want to add default path, you have to work with default in your ~project/.hg/hgrc file. As Follows:
[paths]
default = https://path/to/your/repo
Good Luck.
A: If you're on Unix and you have Git installed, you can use this bash function to readily add a path to the remotes without a text editor:
add-hg-path() {
git config -f $(hg root)/.hg/hgrc --add paths.$1 $2
awk '{$1=$1}1' $(hg root)/.hg/hgrc > /tmp/hgrc.tmp
mv /tmp/hgrc.tmp $(hg root)/.hg/hgrc
}
Then invoke it with:
$ add-hg-path remote1 https://path.to/remote1
If someone would like to build a Powershell equivalent, I'd like to include that as well. Other potentials improvements include error checking on the parameters and factoring out the call to $(hg root).
| {
"language": "en",
"url": "https://stackoverflow.com/questions/4956346",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "105"
} |
Q: How to enable HTTP Pipelining with Spray-Can I read on the spray-can docs that it supports HTTP Pipelining. But there is no method or example specified anywhere on how to do it.
A: This is a config setting. See this or this doc for all available settings in Spay config.
This setting turns it on:
spray.can.host-connector.pipelining = off
And this one has to be > 1 to effectively enable it:
spray.can.server.pipelining-limit = 1
By default pipelining is off.
Relevant description of each setting:
# The maximum number of requests that are accepted (and dispatched to
# the application) on one single connection before the first request
# has to be completed.
# Incoming requests that would cause the pipelining limit to be exceeded
# are not read from the connections socket so as to build up "back-pressure"
# to the client via TCP flow control.
# A setting of 1 disables HTTP pipelining, since only one request per
# connection can be "open" (i.e. being processed by the application) at any
# time. Set to higher values to enable HTTP pipelining.
# Set to 'disabled' for completely disabling pipelining limits
# (not recommended on public-facing servers due to risk of DoS attacks).
# This value must be > 0 and <= 128.
pipelining-limit = 1
# If this setting is enabled, the `HttpHostConnector` pipelines requests
# across connections, otherwise only one single request can be "open"
# on a particular HTTP connection.
pipelining = off
| {
"language": "en",
"url": "https://stackoverflow.com/questions/34192217",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Access to OctoberCMS page in code? I have a Static Page in OctoberCMS named General that has a bunch of site-wide settings including phone number and address. Is it possible to access this page in code to read these settings from its ViewBag?
UPDATE: a plugin was created with the following, where properties like twitter_username for example can now be accessed in templates with {{ general('twitter_username') }}:
use System\Classes\PluginBase;
use RainLab\Pages\Classes\Page;
use Cms\Classes\Theme;
class Plugin extends PluginBase
{
private static $generalViewBag = null;
public function registerMarkupTags()
{
return [
'functions' => [
'general' => function($var) {
if (self::$generalViewBag === null) {
self::$generalViewBag = Page::load(Theme::getActiveTheme(), 'general')
->getViewBag();
}
return self::$generalViewBag->$var;
},
],
];
}
}
The twitter_username form field was added to the General page in the backend using a separate plugin:
use System\Classes\PluginBase;
use Event;
class Plugin extends PluginBase
{
public function boot()
{
Event::listen('backend.form.extendFields', function($widget) {
if (! $widget->getController() instanceof \RainLab\Pages\Controllers\Index) {
return;
}
if (! $widget->model instanceof \RainLab\Pages\Classes\Page) {
return;
}
switch ($widget->model->fileName) {
case 'general.htm':
$widget->addFields([
'viewBag[twitter_username]' => [
'label' => 'Twitter username',
'type' => 'text',
'tab' => 'Social Media',
],
], 'primary');
break;
}
});
}
}
A: yes you can do it actually you need to use this code in page life-cycle method
In page code block you can use something like this OR anywhere else
use RainLab\Pages\Classes\Page as StaticPage;
function onStart() {
$pageName = 'static-test';
$staticPage = StaticPage::load($this->controller->getTheme(), $pageName);
dd($staticPage->viewBag);
}
let me know if it you find any issues
| {
"language": "en",
"url": "https://stackoverflow.com/questions/48985795",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Style html table when saving as csv file I have the below table
<table>
<tr><th>Name</th><th>Age</th><th>Country</th></tr>
<tr><td>Geronimo</td><td>26</td><td>France</td></tr>
<tr><td>Natalia</td><td>19</td><td>Spain</td></tr>
<tr><td>Silvia</td><td>32</td><td>Russia</td></tr>
</table>
<br/>
<table>
<tr><th>Pet</th><th>Breed</th><th>Type</th></tr>
<tr><td>Roscoe</td><td>Pug</td><td>Dog</td></tr>
<tr><td>Polly</td><td>Parrot</td><td>Bird</td></tr>
<tr><td>Whiskers</td><td>Calico</td><td>Cat</td></tr>
</table>
<br/>
<table>
<tr><th>Pet</th><th>Breed</th><th>Type</th></tr>
<tr><td>Roscoe</td><td>Pug</td><td>Dog</td></tr>
<tr><td>Polly</td><td>Parrot</td><td>Bird</td></tr>
<tr><td>Whiskers</td><td>Calico</td><td>Cat</td></tr>
</table>
<button>Export HTML table to CSV file</button>
and I have the below JS code
function download_csv(csv, filename) {
var csvFile;
var downloadLink;
// CSV FILE
csvFile = new Blob([csv], {type: "text/csv"});
// Download link
downloadLink = document.createElement("a");
// File name
downloadLink.download = filename;
// We have to create a link to the file
downloadLink.href = window.URL.createObjectURL(csvFile);
// Make sure that the link is not displayed
downloadLink.style.display = "none";
// Add the link to your DOM
document.body.appendChild(downloadLink);
// Lanzamos
downloadLink.click();
}
function export_table_to_csv(html, filename) {
var csv = [];
var rows = document.querySelectorAll("table tr");
for (var i = 0; i < rows.length; i++) {
var row = [], cols = rows[i].querySelectorAll("td, th");
for (var j = 0; j < cols.length; j++)
row.push(cols[j].innerText);
csv.push(row.join(","));
}
// Download CSV
download_csv(csv.join("\n"), filename);
}
document.querySelector("button").addEventListener("click", function () {
var html = document.querySelector("table").outerHTML;
export_table_to_csv(html, "table.csv");
});
This code converts the html tables into an csv file for download. I was wondering if it's possible to somehow add some styling to it so when the csv is open in Excel it display table header with some color to it.
Here's the fiddle Fiddle
Thanks
A: Unfortunately no! CSV files are basically raw cell data, with no formatting at all.
If you would like to have some styling you would need to learn one of the following formats. But that would be much more complicated.
*
*Office Open XML — for Excel 2007 and above
*Excel 2003 XML — for Excel 2003 and above
*Open Document Format (.ods) — can be read by Excel 2010.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/54292326",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Fatal Error: Call to a member function write() on a non-object occurs when memory usage is very high I've been working on a web-based application to export database information through PHP. The original version of the application originally generated a single OpenXML worksheet, but ran into the issue that beyond a certain number of rows (approximately 9500), the worksheet generated was too large to import into Excel or OpenOffice.
I subsequently reworked the app to use the php_excel wrapper for libxl, which worked adequately in test, but when deployed to the live server (which had a larger amount of data in comparison to the testing server), the memory usage of the process would hit just a little bit under 2GB and then fail, giving this error:
Call to a member function write() on a non-object in...etc etc.
Now, the interesting thing is that the code works for smaller sets of data, and if I restrict the amount of data being requested, I can collect partial data dumps from the database. From all investigation, this error occurs when the code attempts to reference an object that is not assigned. Here's the code below:
$objPHPExcel = new ExcelBook($rcn, $rcl, true);
for ($i=0;$i<$myCCount;$i++){
$myPCount = count($mySelection[$i])
for ($j=1;$j<$myPCount;$j++){
$myWorkSheet = $myAccountSelection[$i][0] . ' - ' . $myAccountSelection[$i][$j];
$thisSheet = $objPHPExcel->addSheet($myWorkSheet);
for ($k=0;$k<count($myQueryArray);$k++){
$thisSheet->write(0, $k, $titleList[$myQueryArray[$k]]); //Error on this line
}
//The rest is database queries and spreadsheet generation.
Again, I'd like to reiterate that this works for smaller sets of data (same number of rows with fewer columns, or same number of columns, but fewer rows) and will run for approximately fifteen minutes before it errors out.
According to the requirements, a full data dump will generate up to a maximum of 924 workbooks (minus workbooks where there would be no actual entries), with ~360 columns in each workbook containing a combined total of 10,000+ rows.
Can anyone help me identify what the problem actually is in this case?
Edit Update:
After some logging and digging through the php_excel wrapper's error handling (such as it is), I have determined that the problem is indeed a memory allocation limit being hit - within the wrapper itself. The amount of free memory available to PHP or FastCGI or on the rest of the machine doesn't matter in this case, because once it hits a certain amount (I'm in the process of currently trying to pin down exactly what the limits are). Unless anyone can educate me as to a way to improve the amount of cells that the phpexcel wrapper can handle, I think this is closed as a "unsolvable but known problem".
A: Under some conditions, the code in this line:
$thisSheet = $objPHPExcel->addSheet($myWorkSheet);
$thisSheet will be null,
change the following code to:
if ($thisSheet) {
for ($k=0;$k<count($myQueryArray);$k++){
$thisSheet->write(0, $k, $titleList[$myQueryArray[$k]]); //Error on this line
}
}
to avoid the error.
The reason why $objPHPExcel->addSheet reutuns null may be that the memory usage is reach limit, you can use ini_set("memory_limit", -1); to set memory usage to unlimited.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19945098",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Is there a way to make an SSRS cell display either a sub-report or an expression? I have an SSRS report that has a cell which I need to show the value of a Dataset item unless a parameter is selected, in which case I need to display a sub-report in that cell.
I tried setting the sub-report's visibility but then it never displays the expression since it takes over the entire cell. It's like it is either one way or the other.
A: If you put a subreport in a cell then you can't optionally display something else in that cell.
However from your comment you're trying to display values from two different datasets based on a condition, and you should be able to do this with an expression. Assuming there is some field in the table that can be used to relate to either dataset, then you might be able to use the lookup() function to get the relevant value, e.g. a code outline for this:
Iif(some_condition, lookup(value1 in datasetA), lookup(value1 in datasetB))
| {
"language": "en",
"url": "https://stackoverflow.com/questions/36923234",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to use VBA to clear content? I would like to have all cells empty after opening my spreadsheet on "ThisWorkbook".
Code:
Sheets("1 - Feuille de Suivi").Range("C19") = ""
and
Sheets("1 - Feuille de Suivi").Liste_cible.Clear
Sheets("1 - Feuille de Suivi").Liste_cible.Value = ""
But it takes a little time before deleting, so I can see the data after opening (1-2 seconds) and it is deleted after.
Maybe you know some efficient function VBA that deletes the data while opening the spreadsheet ?
Thank you very much for your help !
| {
"language": "en",
"url": "https://stackoverflow.com/questions/66408382",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: I am failing to run Mule 3 on the command line This is what I get on a pristine Mule distribution:
$ ./mule
MULE_HOME is set to /home/wena/src/mule-standalone-3.1.2
Running in console (foreground) mode by default, use Ctrl-C to exit...
MULE_HOME is set to /home/wena/src/mule-standalone-3.1.2
Running Mule...
--> Wrapper Started as Console
Launching a JVM...
Starting the Mule Container...
Wrapper (Version 3.2.3) http://wrapper.tanukisoftware.org
Copyright 1999-2006 Tanuki Software, Inc. All Rights Reserved.
INFO 2011-07-02 05:00:33,164 [WrapperListener_start_runner] org.mule.module.launcher.MuleContainer:
**********************************************************************
* Mule ESB and Integration Platform *
* Version: 3.1.2 Build: 21975 *
* MuleSoft, Inc. *
* For more information go to http://www.mulesoft.org *
* *
* Server started: 2011/07/02 5:00 AM *
* JDK: 1.6.0_18 (mixed mode) *
* OS: Linux (2.6.39-2-686-pae, i386) *
* Host: debian (127.0.1.1) *
**********************************************************************
INFO 2011-07-02 05:00:33,247 [WrapperListener_start_runner] org.mule.module.launcher.application.DefaultMuleApplication:
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
+ New app 'default' +
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
ERROR 2011-07-02 05:00:33,250 [WrapperListener_start_runner] org.mule.module.launcher.DeploymentService:
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
+ Failed to deploy app 'default', see below +
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
ERROR 2011-07-02 05:00:33,250 [WrapperListener_start_runner] org.mule.module.launcher.DeploymentService: org.mule.module.launcher.DeploymentException: Failed to deploy application [default]
INFO 2011-07-02 05:00:33,254 [WrapperListener_start_runner] org.mule.module.launcher.StartupSummaryDeploymentListener:
**********************************************************************
* - - + APPLICATION + - - * - - + STATUS + - - *
**********************************************************************
* default * FAILED *
**********************************************************************
INFO 2011-07-02 05:00:33,279 [WrapperListener_start_runner] org.mule.module.launcher.DeploymentService:
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
+ Mule is up and kicking (every 5000ms) +
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
I am however able to run Mule from Eclipse.
Note that a recent development snapshot leading to 3.2 release didn't have any such problem.
A: Mule is failing probably because an empty directory (lib/shared/default) is missing.
Hg doesn't version empty directories.
A: There is something weird that Mercurial (Debian's 1.8.3-1+b1 in Unstable) does: whenever I run hg clean, even if there is nothing to clean (hg status output is null), trying to run ./mule fails with the stated error.
Solution: stay away from that clean command for now.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/6554910",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Django: Put multiple widgets/fields into one field I'm making a form to let users edit their photo gallery. So when I show the form I need 2 fields/widget per photo.
For each photo there will be one
CheckBox(label='Delete photo', value=<Id of photo>)
and one RadioSelect(label='Set as cover image', value=<Id of photo>)
In the form class I guess I should put something like this in the __init__:
for image in images:
#make a checkbox widget
#make a radio select
#store the url of the image
self.fields[..] = gallery_field_widget
I would prefer to put as much code in the form class instead of the template. I've played around with MultpleSelect widget but I can't figure out how to iterate through it together with the rest of the widgets.. and help on this?
A: This isn't two widgets per field, this is two fields per form and one form per instance. For that we have formsets.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/4712419",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Mapping 2 columns in pandas to third one I want to create pandas column 'Link' based on other 2 columns (URL and Title) in order to create column which will hold HTML link tag with title in form:
<a href="{}">{}</a>'.format(df['Ad_URL'],df['Title'])
I'm using:
def Ad_Link(df):
return ('<a href="{}">{}</a>'.format(df['Ad_URL'],df['Title']))
df['Link'] = df[['Ad_URL','Title']].apply(lambda x:Ad_Link(x), axis=1)
but it doesn't work as expected.
It gives:
<a href="List of all URLs">List of all Titles</a> for all items in df['Link']
It suppose iterate and give:
<a href="URL[0]">Title[0]</a>
<a href="URL[1]">Title[1]</a>
EDIT
Actually my solution worked, had a problem with data frame initially.
A: This works fine for me.
df = pd.DataFrame({'Ad_URL':['u1', 'u2', 'u3'], 'Title':['t1', 't2', 't3']})
def Ad_Link(df):
return ('<a href="{}">{}</a>'.format(df['Ad_URL'],df['Title']))
df['Link'] = df[['Ad_URL','Title']].apply(lambda x:Ad_Link(x), axis=1)
print(df)
Output:
Ad_URL Title Link
0 u1 t1 <a href="u1">t1</a>
1 u2 t2 <a href="u2">t2</a>
2 u3 t3 <a href="u3">t3</a>
A: First your code working for me nice. But added multiple solutions with same output:
df = pd.DataFrame({'Ad_URL':['u1', 'u2', 'u3'], 'Title':['t1', 't2', 't3']})
def Ad_Link(df):
return ('<a href="{}">{}</a>'.format(df['Ad_URL'],df['Title']))
df['Link'] = df[['Ad_URL','Title']].apply(lambda x:Ad_Link(x), axis=1)
#change variable in function to x
def Ad_Link1(x):
return ('<a href="{}">{}</a>'.format(x['Ad_URL'],x['Title']))
df['Link1'] = df[['Ad_URL','Title']].apply(lambda x:Ad_Link1(x), axis=1)
#removed lambda function
def Ad_Link2(x):
return ('<a href="{}">{}</a>'.format(x['Ad_URL'],x['Title']))
df['Link2'] = df.apply(Ad_Link2, axis=1)
#pass columns names to lambda function, changed function
def Ad_Link3(url, link):
return ('<a href="{}">{}</a>'.format(url, link))
df['Link3'] = df.apply(lambda x: Ad_Link3(x['Ad_URL'],x['Title']), axis=1)
#only lambda function solution
df['Link4'] = df.apply(lambda x: '<a href="{}">{}</a>'.format(x['Ad_URL'], x['Title']), axis=1)
print (df)
Ad_URL Title Link Link1 Link2 \
0 u1 t1 <a href="u1">t1</a> <a href="u1">t1</a> <a href="u1">t1</a>
1 u2 t2 <a href="u2">t2</a> <a href="u2">t2</a> <a href="u2">t2</a>
2 u3 t3 <a href="u3">t3</a> <a href="u3">t3</a> <a href="u3">t3</a>
Link3 Link4
0 <a href="u1">t1</a> <a href="u1">t1</a>
1 <a href="u2">t2</a> <a href="u2">t2</a>
2 <a href="u3">t3</a> <a href="u3">t3</a>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55234038",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: How to integrate key vault with Bot composer I want to make an http request from bot composer but one thing to pass while making http request needs to be kept a secret. So I want to fetch that value from key vault. Can someone tell how to integrate bot composer with key vault.
A: I'll assume you are using Azure to run the bot, so I'll answer with that in mind. Otherwise let me know and I can expand the answer.
Take the secret from the settings of the bot. It's just like how you access turn.activity.text, but using settings scope instead of the turn scope. So: settings.apiSecret.
Local Env
Now in development, local environment, you can just put the secret in the settings file.
In Azure
When you deploy to your azure app service, you can use Key Vault References in the Configuration blade. Remember you need to give the app service Secret Get permission to that Key Vault.
This is the easiest way since you don't need to write code to query KeyVault via the API.
From DevOps to Azure
There's a way to get the secret in the pipeline, but I believe this is not something you need in this scenario, you just want to set the variable in the App Service. So in the App Service Deployment task, under Application and Configuration settings -> App Settings: you can add the same thing you'd put in the Configuration blade in the azure portal.
So you can add to the textbox: -apiSecret @Microsoft.KeyVault(SecretUri=https://myvault.vault.azure.net/secrets/mysecret/) or click on the button with the elipsis on the right and enter it on the form
| {
"language": "en",
"url": "https://stackoverflow.com/questions/67147069",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Javascript multiple countdown timers on the same page using dates from django models this is my first ever post so please let me know if I need to clarify anything thanks.
I don't have any Javascript experience and I'm trying to write a countdown timer that runs through a django model's data and displays a countdown timer based on each individual object date in my database.
My django models work correctly and loops correctly etc.
I place the below script within my django models for loop but the script only pulls the first objects target date and then populates the countdown timer(correctly) for my first django model object's targetdate but it uses the date of only this first model.
My guess is that I need to put the targetdate (the folowing piece of code) :
let targetdate = new Date({{ datemodel.dateinmodel|date:"U" }} * 1000);
also in some sort of for loop within javascript itself. I've tried to do this but I really still struggle a lot with javascript at the moment so I don't have any idea.
Do I need to put the target date also in some sort of loop within my javascript script to be able to make it loop through the rest of the object dates in my django model?
Please find the script that I've got so far below :
<script>
var clockdiv = document.getElementsByClassName("clockdiv");
let targetdate = new Date({{ datemodel.dateinmodel|date:"U" }} * 1000);
document.addEventListener('readystatechange', event => {
if (event.target.readyState === "complete") {
var clockdiv = document.getElementsByClassName("clockdiv");
var countDownDate = new Array();
for (var i = 0; i < clockdiv.length; i++ ) {
countDownDate[i] = new Array();
countDownDate[i]['el'] = clockdiv[i];
countDownDate[i]['time'] = new Date(targetdate).getTime();
countDownDate[i]['days'] = 0;
countDownDate[i]['hours'] = 0;
countDownDate[i]['seconds'] = 0;
countDownDate[i]['minutes'] = 0;
}
var countdownfunction = setInterval(function() {
for (var i = 0; i < countDownDate.length; i++) {
var now = new Date().getTime();
var distance = countDownDate[i]['time'] - now;
countDownDate[i]['days'] = Math.floor(distance / (1000 * 60 * 60 * 24));
countDownDate[i]['hours'] = Math.floor((distance % (1000 * 60 * 60 * 24)) / (1000 * 60 * 60));
countDownDate[i]['minutes'] = Math.floor((distance % (1000 * 60 * 60)) / (1000 * 60));
countDownDate[i]['seconds'] = Math.floor((distance % (1000 * 60)) / 1000);
if (distance < 0) {
countDownDate[i]['el'].querySelector('.days').innerHTML = 0;
countDownDate[i]['el'].querySelector('.hours').innerHTML = 0;
countDownDate[i]['el'].querySelector('.minutes').innerHTML = 0;
countDownDate[i]['el'].querySelector('.seconds').innerHTML = 0;
}else{
countDownDate[i]['el'].querySelector('.days').innerHTML = countDownDate[i]['days'];
countDownDate[i]['el'].querySelector('.hours').innerHTML = countDownDate[i]['hours'];
countDownDate[i]['el'].querySelector('.minutes').innerHTML = countDownDate[i]['minutes'];
countDownDate[i]['el'].querySelector('.seconds').innerHTML = countDownDate[i]['seconds'];
}
}
}, 1000);
}
});
</script>
<div class="clockdiv" >
<div>
Countdown until target date-
<span class="days"></span>D
<span class="hours"></span>H
<span class="minutes"></span>M
<span class="seconds"></span>S
</div>
</div>
Any guidance on how I should approach this will be appreciated many thanks.
A: This is not an answer though but I'm facing similar challenge.. I don't know if you've sorted it out. I tried converting the data to JSON using JSON dump with that the whole params comes out for each of the timers. And I see that in my console.log so next challenge is to be able to pass all to the table through a loop I was thinking although it's not conventional but might work. Creating another table close to the main table to move this timer out of the for loop entirely and work from there with it..
This is the link to a solution that worked for me https://stackoverflow.com/a/65218112/16174649
A: Thanks for the suggestion.
I was unable to get it to work within the Django loop itself so my solution was to seperate and load each date object seperately within the views file in django and then to just build a counter for each date by itself.
Its probably not the most effective solution but it worked as I only had 11 plus dates to build countdowns for.
In the code example below I would simply update/+1 number for the "countDownDate", "date" and "demo" fields until I created 11 scripts for my 11 items so each item/section has its own countdown script.
Below is the first and second script as an example.
<p id="demo"></p>
<script>
{{
let countDownDate = new Date({{ date1.dateinmodel|date:"U" }}*1000).getTime();
// Update the count down every 1 second
let x = setInterval(function() {
// Get today's date and time
let now = new Date().getTime();
// Find the distance between now and the count down date
let distance = countDownDate - now;
// Time calculations for days, hours, minutes and seconds
let days = Math.floor(distance / (1000 * 60 * 60 * 24));
let hours = Math.floor((distance % (1000 * 60 * 60 * 24)) / (1000 * 60 * 60));
let minutes = Math.floor((distance % (1000 * 60 * 60)) / (1000 * 60));
let seconds = Math.floor((distance % (1000 * 60)) / 1000);
// Display the result in the element with id="demo"
document.getElementById("demo").innerHTML ="T-" + days + "D " + hours + "H "
+ minutes + "M " + seconds + "S ";
// If the count down is finished, write some text
if (distance < 0) {
clearInterval(x);
document.getElementById("demo").innerHTML = "T- 0D 0H 0M 0S"
;
}
}, 1000);
}}
</script>
<p id="demo2"></p>
<script>
{{
let countDownDate2 = new Date({{ date2.dateinmodel|date:"U" }}*1000).getTime();
// Update the count down every 1 second
let x = setInterval(function() {
// Get today's date and time
let now = new Date().getTime();
// Find the distance between now and the count down date
let distance = countDownDate2 - now;
// Time calculations for days, hours, minutes and seconds
let days = Math.floor(distance / (1000 * 60 * 60 * 24));
let hours = Math.floor((distance % (1000 * 60 * 60 * 24)) / (1000 * 60 * 60));
let minutes = Math.floor((distance % (1000 * 60 * 60)) / (1000 * 60));
let seconds = Math.floor((distance % (1000 * 60)) / 1000);
// Display the result in the element with id="demo2"
document.getElementById("demo2").innerHTML ="T- " + days + "D " + hours + "H "
+ minutes + "M " + seconds + "S ";
// If the count down is finished, write some text
if (distance < 0) {
clearInterval(x);
document.getElementById("demo2").innerHTML = "T- 0D 0H 0M 0S"
;
}
}, 1000);
}}
</script>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/68640527",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: parsing error while parsing document using ow3c.dom.Document object, (Unicode: 0x1a) was found in the element content of the document I am getting error : org.xml.sax.SAXParseException; lineNumber: 1; columnNumber: 14515; An invalid XML character (Unicode: 0x1a) was found in the element content of the document.
my xml file content in which I getting error:
<Product>
<Description>672577000 3M 4540 DISPOSABLE COVERALL → XL</Description>
</Product>
I got this error while I am parsing document using org.w3c.dom.Document object, error is occurred due to → in input file. so how can I fix this issue ?
A: No all characters are allowed in a xml files. Here is a link for you to find which one is allowed or is discouraged and the reset is not allowed:
http://en.wikipedia.org/wiki/Valid_characters_in_XML
Yours (→) is not allowed.
A: I resolved this by using below code
String removedUnicodeChar = "DISPOSABLE COVERALL → XXL</Description></Order> ↔ ↕ ↑ ↓ → ABC";
Pattern pattern = Pattern.compile("[\\p{Cntrl}|\\uFFFD]");
Matcher m = pattern.matcher(removedUnicodeChar);
if(m.find()){
System.out.println("Control Characters found");
removedUnicodeChar = m.replaceAll("");
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/23100965",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: How to Format TextBox While Typing? When the user types in the textbox i want it to format itself with decimals.
For example, if the user types 10000 I want it to show up like 10,000 while he types it.
A: Here you go. Handing backspace/delete made it especially challenging. That was fun! :-)
I have added this to my online portfolio of scripts at rack.pub.
function toast(a,b){b||(b=2750);var c={message:a,timeout:b};snackbarContainer.MaterialSnackbar.showSnackbar(c)}var doc=document,textArea=doc.getElementById("area"),numArray=[],backArray=[],num="",numF="",regx="",thisChar="",lastChar="",str="",index=0;window.snackbarContainer=doc.querySelector("#toast"),textArea.addEventListener("keydown",function(){var a=event.keyCode;if(str=this.value,(8==a||46==a)&&(backArray=[],index=str.length-1,lastChar=str.charAt(index),!isNaN(lastChar)||","==lastChar))for(var b=str.length-1;b>=0;b--){if(" "==str.charAt(b))return;if(isNaN(str.charAt(b))&&","!=str.charAt(b))return;backArray.push(str.charAt(b))}if(32==a&&backArray[1]){var c=backArray.reverse().slice(0,-1).join(""),d=c.replace(/\,/g,""),e=Number(d).toLocaleString().toString(),f=str.lastIndexOf(c);f>=0&&f+c.length>=str.length&&(str=str.substring(0,f)+e),this.value=str}}),textArea.addEventListener("keypress",function(){if(thisChar=this.value.slice(-1),isNaN(thisChar)){num=numArray.join(""),numArray=[],numF=Number(num).toLocaleString().toString(),regx=num+"(?!.*"+num+")",regx=new RegExp(regx);var a=this.value.replace(regx,numF);this.value=a}else{if(" "==thisChar){num=numArray.join(""),numArray=[],numF=Number(num).toLocaleString().toString(),regx=num+"(?!.*"+num+")",regx=new RegExp(regx);var a=this.value.replace(regx,numF);return void(this.value=a)}numArray.push(thisChar)}});
html body {
font-family: 'Roboto', sans-serif;
background: #f5f5f5;
}
.text-right{
text-align:right;
}
.text-center{
text-align:center;
}
.text-left{
text-align:left;
}
.thin{
font-weight: 100;
}
.heading{
font-size:3em;
}
.subtitle{
margin-top: -16px;
}
#submit{
margin-top:10px;
}
<link rel="stylesheet" href="https://fonts.googleapis.com/icon?family=Material+Icons">
<link rel="stylesheet" href="https://code.getmdl.io/1.2.0/material.indigo-pink.min.css">
<link href="https://fonts.googleapis.com/css?family=Roboto:100,400" rel="stylesheet">
<div class="demo-layout-transparent mdl-layout mdl-js-layout">
<main class="mdl-layout__content page-content">
<section class="mdl-grid">
<div class="mdl-layout-spacer"></div>
<div class="mdl-cell mdl-cell--4-col">
<h1 class="mdl-color-text--indigo-900 text-right thin">commas.js demo</h1>
<h6 class="mdl-color-text--indigo-500 text-right subtitle">
JavaScript to automatically add commas to numbers in a text area
</h6>
</div>
<div class="mdl-layout-spacer"></div>
</section>
<section class="mdl-grid">
<div class="mdl-layout-spacer"></div>
<div class="mdl-cell mdl-cell--4-col">
<h6 class="mdl-color-text--black thin">
Basically it auto formats numbers as you type in the text area. Give it a try.
</h6>
</div>
<div class="mdl-layout-spacer"></div>
</section>
<section class="mdl-grid">
<div class="mdl-layout-spacer"></div>
<div class="mdl-textfield mdl-js-textfield mdl-cell mdl-cell--4-col">
<textarea class="mdl-textfield__input" type="text" rows= "3" id="area" ></textarea>
<label class="mdl-textfield__label" for="area">Type Here...</label>
</div>
<div class="mdl-layout-spacer"></div>
</section>
</main>
</div>
<!-- IE Compatibility shims DO NOT DELETE-->
<!--[if lt IE 9]>
<script src="//cdnjs.cloudflare.com/ajax/libs/html5shiv/3.7.2/html5shiv.min.js""></script>
<![endif]-->
<!--[if IE]>
<script src="//cdnjs.cloudflare.com/ajax/libs/es5-shim/4.1.7/es5-shim.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/classlist/2014.01.31/classList.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/selectivizr/1.0.2/selectivizr-min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/flexie/1.0.3/flexie.min.js"></script>
<link href="../assets/ie.css" rel="stylesheet">
<![endif]-->
<!-- end shims -->
<script defer src="https://code.getmdl.io/1.2.0/material.min.js"></script>
A: use replace and a regex then just Queue that up on keyup.
$(selector).replace(/(\d)(?=(\d\d\d)+(?!\d))/g, "$1,")
//will replace with commas
A: That problem proved to be more challenging than I expected (I should have known better). Here is what I got, using vanilla Javascript.
You can set event handler for the onkeyup event of the TextBox:
<asp:TextBox ID="txtAutoFormat" runat="server" onkeyup="processKeyUp(this, event)" />
And here is the Javascript code:
<script type="text/javascript">
function extractDigits(str) {
return str.replace(/\D/g, '');
};
function findDigitPosition(str, index) {
var pos = 0;
for (var i = 0; i < str.length; i++) {
if (/\d/.test(str[i])) {
pos += 1;
if (pos == index) {
return i + 1;
}
}
}
};
function isCharacterKey(keyCode) {
// Exclude arrow keys that move the caret
return !(35 <= keyCode && keyCode <= 40);
};
function processKeyUp(txt, e) {
if (isCharacterKey(e.keyCode)) {
var value = txt.value;
// Save the selected text range
var start = txt.selectionStart;
var end = txt.selectionEnd;
var startDigit = extractDigits(value.substring(0, start)).length;
var endDigit = extractDigits(value.substring(0, end)).length;
// Insert the thousand separators
txt.value = extractDigits(value).replace(/(\d{1,3}|\G\d{3})(?=(?:\d{3})+(?!\d))/g, "$1,");
// Restore the adjusted selected text range
txt.setSelectionRange(findDigitPosition(txt.value, startDigit), findDigitPosition(txt.value, endDigit));
}
};
</script>
Credits:
CMS's solution to extract digits from string in Regex using javascript to return just numbers.
Alan Moore's regular expression to insert thousand separators in How do I add thousand separators with reg ex?.
Note: Ron Royston's idea of using toLocaleString is also very interesting. It could provide a more universal solution. You could replace this line of processKeyUp:
txt.value = extractDigits(value).replace(/(\d{1,3}|\G\d{3})(?=(?:\d{3})+(?!\d))/g, "$1,");
with the following:
txt.value = Number(extractNumber(value)).toLocaleString();
A: Try an input mask, here is an example:
http://digitalbush.com/projects/masked-input-plugin/
A: You can use jquery masking framework
references:
Jquery Masking
Source at git
| {
"language": "en",
"url": "https://stackoverflow.com/questions/38726810",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: How to debug application as root in Geany on Raspbian Jessie Having installed Geany on a Raspberry Pi and added the Debugger plugin, I need the debugger to run the application as root as I am accessing the GPIO libraries and pins on the Raspberry Pi.
I usually run the program using sudo ./programName
I cannot find an option in the debug settings to prefix the debug target with sudo.
A: Try running geany with sudo geany.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/34187445",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: MS Teams - TaskModule close the window I display a third party web page(client page) in the task module
*
*using Deeplink
https://teams.microsoft.com/l/task/botid?url=https:test.com/test.html&height=450&width=510&title=Custom+Form&completionBotId=botid
*new AdaptiveOpenUrlAction() { Title = "Enable MS Team access", Url = new Uri(DeeplinkHelper.DeepLink }
Here the web page is opening in Task module, I need to close this task module by clicking the button available on the web page(URL) and send the result to completionBotId.
Any sample pls that need to implement in client-side code.
A: There are two steps to make this work:
*
*you need to reference the Teams Javascript SDK in your web page
*When your user clicks the button, you would call microsoftTeams.tasks.submitTask in your 'click' event handler. There are a few parameter options for this method, depending on whether you want it to send anything back to your bot. To simply close the window, call microsoftTeams.tasks.submitTask(null);, or if you want to send an object back, call microsoftTeams.tasks.submitTask(whateverObjectYouWantToSendBack);
| {
"language": "en",
"url": "https://stackoverflow.com/questions/62260918",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: DialogWhenLarge adjustResize not working The activity theme is Theme.AppCompat.Light.DialogWhenLarge. I can not get the activity to resize when keyboard is up. Configuring android:windowSoftInputMode="adjustResize" or getWindow().setSoftInputMode(WindowManager.LayoutParams.SOFT_INPUT_ADJUST_RESIZE);
has no effect, all I'm getting is adjustPan behaviour. However, I can confirm that adjustNothing works. Any ideas how to make an activity with DialogWhenLarge theme to resize with keyboard?
Result with adjustResize:
Result with adjustNothing:
A: I've found a workaround, but would still like to hear if anyone had a similar problem.
Workaround:
*
*Replaced Activity's theme DialogWhenLarge with Theme.AppCompat.Light.Dialog. This allows the adjustResize to behave as expected with ActionBarActivity
*Added toolbar.xml layout as android.support.v7.widget.Toolbar
*Assigned the toolbar as action bar in my Activity
*Set activity's height for 10' tablets layout-sw720dp to 500dp for better presentation
Configure toolbar as action bar:
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout...);
Toolbar toolbar = (Toolbar) findViewById(R.id.my_awesome_toolbar);
setSupportActionBar(toolbar);
}
More on toolbar at android developer blog and stackoverflow
| {
"language": "en",
"url": "https://stackoverflow.com/questions/29266861",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: When drilling down, how to retrieve the parent? In a dimension I have
1st layer > 2nd layer
I display a chart with values from 1st layer and drilling down to 2nd layer when clicked on.
Once clicked, the graph displays value for the children, so 2nd layer only.
How do I retrieve and display the 1st layer that was clicked on ?
A: Charts can generate iccube-events for a couple of js events (I guess here on row click).
Check the image below :
Edit:
For a bar chart, use "On Navigate" event.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/51649622",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: How to add an image to be returned by a map in REACT (JS) I'm building a chatbox, on a card I have a messageList that I made with useState:
I'm trying to add images to the initMessageList to be displayed on the card with preview using useRef but it does not show the image (I'm changing the 'messageList' func):
function ConvBoard({ name }) {
const [initMessageList, setMessageList] = useState([])
const messageList = initMessageList.map((now, key) => {
if (now.Image) {
return <img src={preview} />
}
return <Message text={now.text} key={key} />
});
let newText = useRef(null);
const addMessage = () => {
if (newText.current.value != "") {
setMessageList([...initMessageList, {
text: newText.current.value,
key: initMessageList.length
}])
newText.current.value = ""
}
}
const onKeyFunc = function onKeyEnter(e) {
if (e.key === "Enter" && newText.current.value != "") {
{ addMessage() };
}
}
const [image, setImage] = useState();
const [preview, setPreview] = useState();
const pressRef = useRef();
useEffect(() => {
if (image) {
const reader = new FileReader()
reader.onloadend = () => {
setPreview(reader.result)
};
reader.readAsDataURL(image)
setMessageList([...initMessageList, {
text: preview,
key: initMessageList.length
}])
} else {
setPreview(null)
}
}, [image]);
return (
<Tab.Pane eventKey={name}>
<Card className='card'>
<extraWarper className="extra">
{messageList}
</extraWarper>
</Card>
<InputGroup>
<FormControl className='inputLine' ref={newText}
placeholder="your text" onKeyPress={onKeyFunc}
/>
<Button variant="outline-secondary">record</Button>
<DropdownButton title="upload" variant="outline-secondary">
<button onClick={(event) =>
pressRef.current.click()
}>
Send image
</button>
<input ref={pressRef} id="filePicker" style={{ display: "none" }} type={"file"}
onChange={(event) => {
const file = event.target.files[0]
if (file) {
setImage(file)
} else {
setImage(null)
}
}
} />
</DropdownButton>
<Button variant="outline-secondary" onClick={addMessage}>send</Button>
</InputGroup>
</Tab.Pane>
);
export default ConvBoard
}
now the site looks like this:
but when i try to add an Image its blank.
Any ideas?
(Sorry for the mess, and thank you!)
A: There is no now.Image in this code.
if (now.Image) {
return <img src={preview} />
}
return <Message text={now.text} key={key} />
});
there may be now.Text which represents now.Image and preview in your code
because you set it in this part of code
setMessageList([...initMessageList, {
text: preview,
key: initMessageList.length
}])
| {
"language": "en",
"url": "https://stackoverflow.com/questions/71867639",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Mysql SELECT query returns false when ran in PHP I'm trying:
$mysqli = new mysqli(DB_SERVER,DB_USERNAME,DB_PASSWORD,DB_DATABASE);
$usernames_results = $mysqli->query("SELECT username FROM users WHERE user_id = $member_id") or trigger_error($mysqli->error);
while($user_row = $username_results->fetch_object()) {
// do stuff with$user_row
}
This always returns FALSE. I'm certain $member_id is not null and that it does exist in the database. I ran the SQL query directly on the database and it returns the correct result. The error I get is
Fatal error: Call to a member function fetch_object() on a non-object`
when calling fetch_object() on $usernames_results.
$mysqli is also defined correctly because this works:
$conversations_results = $mysqli->query("SELECT UserID, ConversationID FROM Conversation_Members WHERE UserID = $user_id");
I have tried looking at $mysqli->error but it's empty.
What am I doing wrong in the first query?
This question has been wrongly marked duplicate before. Please do not mark this as a duplicate unless you're certain the suggested duplicate answers my problem.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/32070735",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Tkinter quit button I just started learning python and I have a problem that I canno't get a button to close my program. The code:
from tkinter import *
import ScoreboardController as SC
class guiController(Frame):
def open_scoreboard(self):
scoreBoard = SC.ScoreboardController("scores.txt")
for x in range(len(scoreBoard)):
print("Name: {} \nScore: {}". format(scoreBoard[x].name, scoreBoard[x].score))
def start_game(self):
pass
def hide_main_window(self):
self.score_button.pack_forget()
self.start_button.pack_forget()
def create_widgets(self):
self.frame = Frame(master=None, width=800, height=600)
self.frame.pack()
self.start_button = Button(self.frame)
self.start_button["text"] = "Játék indítása"
self.start_button["bg"] = "#5E99FF"
self.start_button["fg"] = "#ffffff"
self.start_button["command"] = self.start_game
self.start_button.pack()
self.start_button.place(x=300, y=455, bordermode=OUTSIDE, height=50, width=200)
self.score_button = Button(self.frame)
self.score_button["text"] = "Eredmények"
self.score_button["bg"] = "#5E99FF"
self.score_button["fg"] = "#ffffff"
self.score_button["command"] = self.open_scoreboard
self.score_button.pack()
self.score_button.place(x=300, y=400, bordermode=OUTSIDE, height=50, width=200)
self.quit_button = Button(self.frame)
self.quit_button["text"] = "Kilépés"
self.quit_button["bg"] = "#5E99FF"
self.quit_button["fg"] = "#FFFFFF"
self.quit_button["command"] = self.destroy()
self.quit_button.pack()
self.quit_button.place(x=300, y=510, bordermode=OUTSIDE, height=50, width=200)
def __init__(self, master=None):
Frame.__init__(self, master)
self.place()
self.create_widgets()
When I click the button it doesn't do anything (self.quit_button).
The other buttons work.
Thank you in advance
A: I could not fully test your code however here is what you would do when needed to destroy master. Your code was a bit hard to test please in the future do not include stuff that cannot be tested like your ScoreboardController. Also I rewrote your buttons to something simpler.
import tkinter as tk
class Example(tk.Frame):
def __init__(self, master):
tk.Frame.__init__(self, master)
self.create_widgets()
def start_game(self):
pass
def hide_main_window(self):
self.score_button.pack_forget()
self.start_button.pack_forget()
def create_widgets(self):
self.start_button = tk.Button(self, text="Játék indítása", bg="#5E99FF", fg="#ffffff")
self.start_button.pack()
self.score_button = tk.Button(self, text="Eredmények", bg="#5E99FF", fg="#ffffff", command=self.start_game)
self.score_button.pack()
self.quit_button = tk.Button(self, text="Kilépés", bg="#5E99FF", fg="#ffffff", command=self.master.destroy) # without ()
self.quit_button.pack()
if __name__ == "__main__":
root = tk.Tk()
Example(root).pack() # root passing to master in the Frame class
root.mainloop()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/52654504",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: is_dir folder permission Unix I have a simple PHP script (who.php):
<?php
echo `whoami`;
echo is_dir('/home/pdfs/')?'Yes':'No';
/home/pdfs is user1:www and has 770 permissions.
PHP is wwwrun in the group www.
1) if I do sudo -u wwwrun php who.php I get
wwwrun
No
2) If I do sudo -u user1 php who.php I get
user1
Yes
Why is is_dir returning FALSE in the first case?
A: wwwrun doesn't have permissions to read /home and hence can't directly verify that /home/pdfs in fact even exists, much less that it is a directory.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19221619",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Parsing Adafruit Ultimate GPS in Arduino Im new in Arduino programming and i have quite a problem which is save longitude and latitude values of my new Adafruit Ultimate GPS Breakout. im using the tutorial giving in the website then i tried to apply parsing code in the library
Open up the File→Examples→Adafruit_GPS→parsing sketch and upload it to the Arduino. Then open up the serial monitor.
i got the results in my serial monitor as shown in the attached file (i highlighted my question in the snap below)
Im trying to save the values of my location in the degree which is appear in the serial monitor as
Location (in degrees, works with Google Maps): 32.5011, 44.4499
A part of the standard code for display result is:
Serial.print("\nTime: ");
Serial.print(GPS.hour, DEC); Serial.print(':');
Serial.print(GPS.minute, DEC); Serial.print(':');
Serial.print(GPS.seconds, DEC); Serial.print('.');
Serial.println(GPS.milliseconds);
Serial.print("Date: ");
Serial.print(GPS.day, DEC); Serial.print('/');
Serial.print(GPS.month, DEC); Serial.print("/20");
Serial.println(GPS.year, DEC);
Serial.print("Fix: "); Serial.print((int)GPS.fix);
Serial.print(" quality: "); Serial.println((int)GPS.fixquality);
if (GPS.fix) {
Serial.print("Location: ");
Serial.print(GPS.latitude, 4); Serial.print(GPS.lat);
Serial.print(", ");
Serial.print(GPS.longitude, 4); Serial.println(GPS.lon);
Serial.print("Location (in degrees, works with Google Maps): ");
Serial.print(GPS.latitudeDegrees, 4);
Serial.print(", ");
Serial.println(GPS.longitudeDegrees, 4);
Serial.print("Speed (knots): "); Serial.println(GPS.speed);
Serial.print("Angle: "); Serial.println(GPS.angle);
Serial.print("Altitude: "); Serial.println(GPS.altitude);
Serial.print("Satellites: "); Serial.println((int)GPS.satellites);
the results is shown below
next i tried to define 2 variable in order to copy the longitude and latitude value by adding simple code after the Serial.println(GPS.longitudeDegrees, 4); as shown below
Serial.print("Location (in degrees, works with Google Maps): ");
Serial.print(GPS.latitudeDegrees, 4);
Serial.print(", ");
Serial.println(GPS.longitudeDegrees, 4);
lat1= (GPS.latitudeDegrees, 4);
lon1=(GPS.longitudeDegrees, 4);
Serial.println (lat1);
Serial.println (lon1);
delay (500);
then i got only number four in my lat1 and lon1 value in serial monitor
then i edit the code by removing number 4 from it as shown below
Serial.print("Location (in degrees, works with Google Maps): ");
Serial.print(GPS.latitudeDegrees, 4);
Serial.print(", ");
Serial.println(GPS.longitudeDegrees, 4);
lat1= GPS.latitudeDegrees;
lon1=GPS.longitudeDegrees;
Serial.println (lat1);
Serial.println (lon1);
delay (500);
then i got only 2 number after the dot
32.5011 → 32.50
44.4499 → 44.45
as shown in the attached below
so im asking how can i save the full number in my lon1 and lat1 because i need these number for further analysis
BTW i tried to defie lon1, lat1 as float, double and still same issue just 2 number after digit i got
thank you all
A: Floating point numbers have an infinite number of decimal places. When you print them it will only print 2 unless you specify with the second parameter how many to print.
For example:
float x = 67.1234
Serial.print(x); // will print 67.12
Serial.print(x,3); // will print 67.123
Serial.print(x, 4); // will print 67.1234
Serial.print(x,6); // will print 67.123400
So what you are seeing is just how many places you told it to print. But the variable always has the whole number with an infinite number of decimal places.
Now with floats on an Arduino only the first 6 or 7 decimal places will be accurate. But the number itself has an infinite number of digits after the decimal if you want to print them.
Also note that the second parameter is only doing something in the print statement. Lots of people will try to do this:
float x = 67.1234 , 2;
thinking that this will somehow save a number with only 2 digits of precision, but this isn't the case. In this case it would just save the number 2. As you saw in your experiment. This is how the comma operator works. It's only in the print function that you get to specify. Again, the actual number itself has an infinite number of decimal places you can print.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/63988707",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: User Initiated Kernel dump in Windows XP I remember watching a webcast from Mark Russinovich showing the sequence of keyboard keys for a user initiated kernel dump. Can somebody refresh my memory on the exact order of the keys.
Please note this is for XP.
A: http://psacake.com/web/jr.asp contains full instructions, and here's an excerpt:
While it may seem odd to think about purposefully causing a Blue Screen Of Death (BSOD), Microsoft includes such a provision in Windows XP. This might come in handy for testing and troubleshooting your Startup And Recovery settings, Event logging, and for demonstration purposes.
Here's how to create a BSOD:
Launch the Registry Editor (Regedit.exe).
Go to HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\i8042prt\Parameters.
Go to Edit, select New | DWORD Value and name the new value CrashOnCtrlScroll.
Double-click the CrashOnCtrlScroll DWORD Value, type 1 in the Value Data textbox, and click OK.
Close the Registry Editor and restart Windows XP.
When you want to cause a BSOD, press and hold down the [Ctrl] key on the right side of your keyboard, and then tap the [ScrollLock] key twice. Now you should see the BSOD.
If your system reboots instead of displaying the BSOD, you'll have to disable the Automatically
Restart setting in the System Properties dialog box. To do so, follow these steps:
Press [Windows]-Break.
Select the Advanced tab.
Click the Settings button in the Startup And Recovery panel.
Clear the Automatically Restart check box in the System Failure panel.
Click OK twice.
Here's how you remove the BSOD configuration:
Launch the Registry Editor (Regedit.exe).
Go to HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\i8042prt\Parameters.
Select the CrashOnCtrlScroll value, pull down the Edit menu, and select the Delete command.
Close the Registry Editor and restart Windows XP.
Note: Editing the registry is risky, so make sure you have a verified backup before making any changes.
And I may be wrong in assuming you want BSOD, so this is a Microsoft Page showing how to capture kernel dumps:
https://web.archive.org/web/20151014034039/https://support.microsoft.com/fr-ma/kb/316450
A: As far as I know, the "Create Dump" command was only added to Task Manager in Vista. The only process I know of to do this is using the adplus VBScript that comes with Debugging Tools. Short of hooking into dbghelp and programmatically doing it yourself.
A: You can setup the user dump tool from Microsoft with hot keys to dump a process. However, this is a user process dump, not a kernel dump...
A: I don't know of any keyboard short cuts, but are you looking for like in task manager, when you right click on a process and select "Create Dump"?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/59313",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "7"
} |
Q: Is it Compulsory for FlatList that json response should start with [] always? I was using flatlist to display data and in response I am getting some data.
But, the json response string is starting with the {}braces and not with the []brackets.
So, was Getting below error :
Invariant Violation: Tried to get frame for out of range index Nan.
After doing log what am I getting in my dataSource of FlatList is [Object Object]
I have checked json response in postman and its like : {{[]}}, in short its not starting with []brackets.
So, am little confused here that Is it compulsory for FlatList to have dataSource or json response starting with []brackets.
If not then What might be the issue there for the error ? and If is it, the How can I convert it in required format ?
Thanks.
EDIT
Doing like this :
.then((response) => response.json())
.then((responseJson) => {
this.setState({ isLoading: false,dataSource: responseJson.screen_details})
})
.catch((error) => {
console.error(error);
});
But, Still Issue exists with Objects are not valid as a React child.
A: For FlatList the data property requires an array, as highlighted in the docs. Since FlatList works by taking a list of items and rendering a seperate row for each, the data property needs to be an array.
Once you receive your JSON data, I would recommend only passing the required array to the FlatList, e.g.:
<FlatList
data={myResponse.listOfItems}
...
/>
Where myResponse is your JSON object and listOfItems is your array of items.
Also, according to the docs, there is no dataSource property, the correct property is simply data.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/51630781",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Why can't C compilers rearrange struct members to eliminate alignment padding?
Possible Duplicate:
Why doesn't GCC optimize structs?
Why doesn't C++ make the structure tighter?
Consider the following example on a 32 bit x86 machine:
Due to alignment constraints, the following struct
struct s1 {
char a;
int b;
char c;
char d;
char e;
}
could be represented more memory-efficiently (12 vs. 8 bytes) if the members were reordered as in
struct s2 {
int b;
char a;
char c;
char d;
char e;
}
I know that C/C++ compilers are not allowed to do this. My question is why the language was designed this way. After all, we may end up wasting vast amounts of memory, and references such as struct_ref->b would not care about the difference.
EDIT: Thank you all for your extremely useful answers. You explain very well why rearranging doesn't work because of the way the language was designed. However, it makes me think: Would these arguments would still hold if rearrangement was part of the language? Let's say that there was some specified rearrangement rule, from which we required at least that
*
*we should only reorganize the struct if actually necessary (don't do anything if the struct is already "tight")
*the rule only looks at the definition of the struct, not inside inner structs. This ensures that a struct type has the same layout whether or not it is internal in another structure
*the compiled memory layout of a given struct is predictable given its definition (that is, the rule is fixed)
Adressing your arguments one by one I reason:
*
*Low-level data mapping, "element of least surprise": Just write your structs in a tight style yourself (like in @Perry's answer) and nothing has changed (requirement 1). If, for some weird reason, you want internal padding to be there, you could insert it manually using dummy variables, and/or there could be keywords/directives.
*Compiler differences: Requirement 3 eliminates this concern. Actually, from @David Heffernan's comments, it seems that we have this problem today because different compilers pad differently?
*Optimization: The whole point of reordering is (memory) optimization. I see lots of potential here. We may not be able to remove padding all together, but I don't see how reordering could limit optimization in any way.
*Type casting: It seems to me that this is the biggest problem. Still, there should be ways around this. Since the rules are fixed in the language, the compiler is able to figure out how the members were reordered, and react accordingly. As mentioned above, it will always be possible to prevent reordering in the cases where you want complete control. Also, requirement 2 ensures that type-safe code will never break.
The reason I think such a rule could make sense is because I find it more natural to group struct members by their contents than by their types. Also it is easier for the compiler to choose the best ordering than it is for me when I have a lot of inner structs. The optimal layout may even be one that I cannot express in a type-safe way. On the other hand, it would appear to make the language more complicated, which is of course a drawback.
Note that I am not talking about changing the language - only if it could(/should) have been designed differently.
I know my question is hypothetical, but I think the discussion provides deeper insight in the lower levels of the machine and language design.
I'm quite new here, so I don't know if I should spawn a new question for this. Please tell me if this is the case.
A: There are multiple reasons why the C compiler cannot automatically reorder the fields:
*
*The C compiler doesn't know whether the struct represents the memory structure of objects beyond the current compilation unit (for example: a foreign library, a file on disc, network data, CPU page tables, ...). In such a case the binary structure of data is also defined in a place inaccessible to the compiler, so reordering the struct fields would create a data type that is inconsistent with the other definitions. For example, the header of a file in a ZIP file contains multiple misaligned 32-bit fields. Reordering the fields would make it impossible for C code to directly read or write the header (assuming the ZIP implementation would like to access the data directly):
struct __attribute__((__packed__)) LocalFileHeader {
uint32_t signature;
uint16_t minVersion, flag, method, modTime, modDate;
uint32_t crc32, compressedSize, uncompressedSize;
uint16_t nameLength, extraLength;
};
The packed attribute prevents the compiler from aligning the fields according to their natural alignment, and it has no relation to the problem of field ordering. It would be possible to reorder the fields of LocalFileHeader so that the structure has both minimal size and has all fields aligned to their natural alignment. However, the compiler cannot choose to reorder the fields because it does not know that the struct is actually defined by the ZIP file specification.
*C is an unsafe language. The C compiler doesn't know whether the data will be accessed via a different type than the one seen by the compiler, for example:
struct S {
char a;
int b;
char c;
};
struct S_head {
char a;
};
struct S_ext {
char a;
int b;
char c;
int d;
char e;
};
struct S s;
struct S_head *head = (struct S_head*)&s;
fn1(head);
struct S_ext ext;
struct S *sp = (struct S*)&ext;
fn2(sp);
This is a widely used low-level programming pattern, especially if the header contains the type ID of data located just beyond the header.
*If a struct type is embedded in another struct type, it is impossible to inline the inner struct:
struct S {
char a;
int b;
char c, d, e;
};
struct T {
char a;
struct S s; // Cannot inline S into T, 's' has to be compact in memory
char b;
};
This also means that moving some fields from S to a separate struct disables some optimizations:
// Cannot fully optimize S
struct BC { int b; char c; };
struct S {
char a;
struct BC bc;
char d, e;
};
*Because most C compilers are optimizing compilers, reordering struct fields would require new optimizations to be implemented. It is questionable whether those optimizations would be able to do better than what programmers are able to write. Designing data structures by hand is much less time consuming than other compiler tasks such as register allocation, function inlining, constant folding, transformation of a switch statement into binary search, etc. Thus the benefits to be gained by allowing the compiler to optimize data structures appear to be less tangible than traditional compiler optimizations.
A: It would change the semantics of pointer operations to reorder the structure members. If you care about compact memory representation, it's your responsibility as a programmer to know your target architecture, and organize your structures accordingly.
A: If you were reading/writing binary data to/from C structures, reordering of the struct members would be a disaster. There would be no practical way to actually populate the structure from a buffer, for example.
A: Keep in mind that a variable declaration, such as a struct, is designed to be a "public" representation of the variable. It's used not only by your compiler, but is also available to other compilers as representing that data type. It will probably end up in a .h file. Therefore, if a compiler is going to take liberties with the way the members within a struct are organized, then ALL compilers have to be able to follow the same rules. Otherwise, as has been mentioned, the pointer arithmetic will get confused between different compilers.
A: Structs are used to represent physical hardware at the very lowest levels. As such the compiler cannot move things a round to suit at that level.
However it would not be unreasonable to have a #pragma that let the compiler re-arrange purely memory based structs that are only used internally to the program. However I don't know of such a beast (but that doesn't meant squat - I'm out of touch with C/C++)
A: C is designed and intended to make it possible to write non-portable hardware and format dependent code in a high level language. Rearrangement of structure contents behind the back of the programmer would destroy that ability.
Observe this actual code from NetBSD's ip.h:
/*
* Structure of an internet header, naked of options.
*/
struct ip {
#if BYTE_ORDER == LITTLE_ENDIAN
unsigned int ip_hl:4, /* header length */
ip_v:4; /* version */
#endif
#if BYTE_ORDER == BIG_ENDIAN
unsigned int ip_v:4, /* version */
ip_hl:4; /* header length */
#endif
u_int8_t ip_tos; /* type of service */
u_int16_t ip_len; /* total length */
u_int16_t ip_id; /* identification */
u_int16_t ip_off; /* fragment offset field */
u_int8_t ip_ttl; /* time to live */
u_int8_t ip_p; /* protocol */
u_int16_t ip_sum; /* checksum */
struct in_addr ip_src, ip_dst; /* source and dest address */
} __packed;
That structure is identical in layout to the header of an IP datagram. It is used to directly interpret blobs of memory blatted in by an ethernet controller as IP datagram headers. Imagine if the compiler arbitrarily re-arranged the contents out from under the author -- it would be a disaster.
And yes, it isn't precisely portable (and there's even a non-portable gcc directive given there via the __packed macro) but that's not the point. C is specifically designed to make it possible to write non-portable high level code for driving hardware. That's its function in life.
A: Your case is very specific as it would require the first element of a struct to be put re-ordered. This is not possible, since the element that is defined first in a struct must always be at offset 0. A lot of (bogus) code would break if this would be allowed.
More generally pointers of subobjects that live inside the same bigger object must always allow for pointer comparison. I can imagine that some code that uses this feature would break if you'd invert the order. And for that comparison the knowledge of the compiler at the point of definition wouldn't help: a pointer to a subobject doesn't have a "mark" do which larger object it belongs. When passed to another function just as such, all information of a possible context is lost.
A: C [and C++] are regarded as systems programming languages so they provide low level access to the hardware, e.g., memory by means of pointers. Programmer can access a data chunk and cast it to a structure and access various members [easily].
Another example is a struct like the one below, which stores variable sized data.
struct {
uint32_t data_size;
uint8_t data[1]; // this has to be the last member
} _vv_a;
A: Not being a member of WG14, I can't say anything definitive, but I have my own ideas:
*
*It would violate the principle of least surprise - there may be a damned good reason why I want to lay my elements out in a specific order, regardless of whether or not it's the most space-efficient, and I would not want the compiler to rearrange those elements;
*It has the potential to break a non-trivial amount of existing code - there's a lot of legacy code out there that relies on things like the address of the struct being the same as the address of the first member (saw a lot of classic MacOS code that made that assumption);
The C99 Rationale directly addresses the second point ("Existing code is important, existing implementations are not") and indirectly addresses the first ("Trust the programmer").
A: Here's a reason I didn't see so far - without standard rearrangement rules, it would break compatibility between source files.
Suppose a struct is defined in a header file, and used in two files.
Both files are compiled separately, and later linked. Compilation may be at different times (maybe you touched just one, so it had to be recompiled), possibly on different computers (if the files are on a network drive) or even different compiler versions.
If at one time, the compiler would decide to reorder, and at another it won't, the two files won't agree on where the fields are.
As an example, think of the stat system call and struct stat.
When you install Linux (for example), you get libC, which includes stat, which was compiled by someone sometime.
You then compile an application with your compiler, with your optimization flags, and expect both to agree on the struct's layout.
A: suppose you have a header a.h with
struct s1 {
char a;
int b;
char c;
char d;
char e;
}
and this is part of a separate library (of which you only have the compiled binaries compiled by a unknown compiler) and you wish to use this struct to communicate with this library,
if the compiler is allowed to reorder the members in whichever way it pleases this will be impossible as the client compiler doesn't know whether to use the struct as-is or optimized (and then does b go in front or in the back) or even fully padded with every member aligned on 4 byte intervals
to solve this you can define a deterministic algorithm for compacting but that requires all compilers to implement it and that the algorithm is a good one (in terms of efficiency). it is easier to just agree on padding rules than it is on reordering
it is easy to add a #pragma that prohibits the optimization for when you need the layout of to a specific struct be exactly what you need so that is no issue
| {
"language": "en",
"url": "https://stackoverflow.com/questions/9486364",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "102"
} |
Q: Why toggling a setInterval() which changes a image source is only decreasing the interval time after each toggle? I tried to toggle the setInterval() function by clicking on an image.
On first click it will start to change the image with a time interval that we set. But after the second click the setInterval() function is not being stopped (which I wanted), instead the interval reduces. And the interval keep on reducing after each click. Which means it is not toggling properly. Here is the code:
<!DOCTYPE html>
<html>
<head>
<title>Learning JavaScript</title>
<script type="text/javascript">
var settimer;
var stop;
function change_timer(){
if(settimer==="on"){
clearInterval(stop);
var settimer="off";
}
else{
var stop=setInterval('change()',2000);
var settimer="on";
}
}
function change(){
var img=document.getElementById('browser');
if(img.src==="http://localhost:8383/JavaScript/firefox.jpg")
{img.src="chrome.jpg";}
else{img.src="firefox.jpg";}
}
</script>
</head>
<body>
<img src="firefox.jpg" alt='browser' id='browser' onclick='change_timer();'>
<p>Click on image to set timer on or off</p>
</body>
</html>
A: Here's a working example for your problem
var settimernow="off";
var stop;
function change_timer(){
if(settimernow==="on"){
clearInterval(stop);
settimernow="off";
}
else{
stop=setInterval('change()',2000);
settimernow="on";
}
}
function change(){
var img=document.getElementById('browser');
if(img.src==="https://www.w3schools.com/css/trolltunga.jpg") {
img.src="http://hdwallpaperfun.com/wp-content/uploads/2015/07/Big-Waves-Fantasy-Image-HD.jpg";
}
else
{
img.src="https://www.w3schools.com/css/trolltunga.jpg";
}
}
<body>
<img src="http://hdwallpaperfun.com/wp-content/uploads/2015/07/Big-Waves-Fantasy-Image-HD.jpg" alt='browser' id='browser' width="100px" height="100px" onclick='change_timer();'>
<p>Click on image to set timer on or off</p>
</body>
A: This line
var stop=setInterval('change()',2000);
... creates a new, locally scoped variable stop instead of assigning to the one you created in the outer scope, so when you later run clearInterval(stop) (in a new 'instance' of the function with a new scope) you're not clearing the interval you created previously.
The same goes for the settimer variable.
Simply remove the var keyword from those lines in the change_timer() function and it will work as intended.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/44565316",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: How to start TinyMCE 4 in full screen mode? Is there a way to start TinyMCE 4 in full screen mode? I just upgraded from TinyMCE 3.x, but the way it was done in 3.x does not seem to work in 4.x:
<head>
<script type="text/javascript" src="TinyMCE/tinymce.min.js"></script>
<script type="text/javascript">
tinyMCE.init({
oninit : function() {
tinyMCE.get('editor').execCommand('mceFullScreen');
}
});
</script>
</head>
<body>
<textarea id="editor"></textarea>
</body>
Any suggestions?
A: Found out how to do it:
<head>
<script type="text/javascript" src="TinyMCE/tinymce.min.js"></script>
<script type="text/javascript">
tinyMCE.init({
plugins: [ 'fullscreen' ],
setup: function(editor) {
editor.on('init', function(e) {
editor.execCommand('mceFullScreen');
});
}
});
</script>
</head>
<body>
<textarea id="editor"></textarea>
</body>
A: It is described in the official documentation too.
tinymce.activeEditor.execCommand('mceFullScreen');
be sure you have included it in the plugins like this
tinymce.init({
selector: 'textarea', // change this value according to your HTML
plugins: 'fullscreen',
menubar: 'view',
toolbar: 'fullscreen'
});
here is a link to the official documentation.
Official docs for tinymce editor fullscreen
| {
"language": "en",
"url": "https://stackoverflow.com/questions/22939405",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "10"
} |
Q: Is there a way to create aws eventbridge rule to apply for only one resource? for example I have a iam eventbridge rule that is triggered for any changes to the roles as below:
{
"source": ["aws.iam"],
"detail-type": ["AWS API Call via CloudTrail"],
"detail": {
"eventSource": ["iam.amazonaws.com"],
"eventName": ["AttachGroupPolicy", "AttachRolePolicy", "AttachUserPolicy", "DetachGroupPolicy", "DetachRolePolicy", "DetachUserPolicy", "PutGroupPolicy", "PutRolePolicy", "PutUserPolicy"]
}
}
Is there any way to update this rule and trigger only if this happens for say role testone
?
A: I am not sure about the EventBridge filter for the purpose but found a very easy technique from the link below:
https://aws.amazon.com/premiumsupport/knowledge-center/eventbridge-create-custom-event-pattern/
So basically you have to let the event you are targeting to be in your cloudtrail or get teh email notifications and then copy and paste the only wanted part. So for my problem I did this and it is workng exactly as I wanted.
{
"source": ["aws.iam"],
"detail-type": ["AWS API Call via CloudTrail"],
"detail": {
"eventSource": ["iam.amazonaws.com"],
"eventName": ["AttachGroupPolicy", "AttachRolePolicy", "AttachUserPolicy", "DetachGroupPolicy", "DetachRolePolicy", "DetachUserPolicy", "PutGroupPolicy", "PutRolePolicy", "PutUserPolicy"],
"requestParameters": {
"roleName": ["testone"]
}
}
}
A: You would use an EventBridge filter for you rule so that it only matches the specific role.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/73393686",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Why kernel code/thread executing in interrupt context cannot sleep? I am reading following article by Robert Love
http://www.linuxjournal.com/article/6916
that says
"...Let's discuss the fact that work queues run in process context. This is in contrast to the other bottom-half mechanisms, which all run in interrupt context. Code running in interrupt context is unable to sleep, or block, because interrupt context does not have a backing process with which to reschedule. Therefore, because interrupt handlers are not associated with a process, there is nothing for the scheduler to put to sleep and, more importantly, nothing for the scheduler to wake up..."
I don't get it. AFAIK, scheduler in the kernel is O(1), that is implemented through the bitmap. So what stops the scehduler from putting interrupt context to sleep and taking next schedulable process and passing it the control?
A: Because the thread switching infrastructure is unusable at that point. When servicing an interrupt, only stuff of higher priority can execute - See the Intel Software Developer's Manual on interrupt, task and processor priority. If you did allow another thread to execute (which you imply in your question that it would be easy to do), you wouldn't be able to let it do anything - if it caused a page fault, you'd have to use services in the kernel that are unusable while the interrupt is being serviced (see below for why).
Typically, your only goal in an interrupt routine is to get the device to stop interrupting and queue something at a lower interrupt level (in unix this is typically a non-interrupt level, but for Windows, it's dispatch, apc or passive level) to do the heavy lifting where you have access to more features of the kernel/os. See - Implementing a handler.
It's a property of how O/S's have to work, not something inherent in Linux. An interrupt routine can execute at any point so the state of what you interrupted is inconsistent. If you interrupted the thread scheduling code, its state is inconsistent so you can't be sure you can "sleep" and switch threads. Even if you protect the thread switching code from being interrupted, thread switching is a very high level feature of the O/S and if you protected everything it relies on, an interrupt becomes more of a suggestion than the imperative implied by its name.
A:
So what stops the scehduler from putting interrupt context to sleep and taking next schedulable process and passing it the control?
The problem is that the interrupt context is not a process, and therefore cannot be put to sleep.
When an interrupt occurs, the processor saves the registers onto the stack and jumps to the start of the interrupt service routine. This means that when the interrupt handler is running, it is running in the context of the process that was executing when the interrupt occurred. The interrupt is executing on that process's stack, and when the interrupt handler completes, that process will resume executing.
If you tried to sleep or block inside an interrupt handler, you would wind up not only stopping the interrupt handler, but also the process it interrupted. This could be dangerous, as the interrupt handler has no way of knowing what the interrupted process was doing, or even if it is safe for that process to be suspended.
A simple scenario where things could go wrong would be a deadlock between the interrupt handler and the process it interrupts.
*
*Process1 enters kernel mode.
*Process1 acquires LockA.
*Interrupt occurs.
*ISR starts executing using Process1's stack.
*ISR tries to acquire LockA.
*ISR calls sleep to wait for LockA to be released.
At this point, you have a deadlock. Process1 can't resume execution until the ISR is done with its stack. But the ISR is blocked waiting for Process1 to release LockA.
A: I think it's a design idea.
Sure, you can design a system that you can sleep in interrupt, but except to make to the system hard to comprehend and complicated(many many situation you have to take into account), that's does not help anything. So from a design view, declare interrupt handler as can not sleep is very clear and easy to implement.
From Robert Love (a kernel hacker):
http://permalink.gmane.org/gmane.linux.kernel.kernelnewbies/1791
You cannot sleep in an interrupt handler because interrupts do not have
a backing process context, and thus there is nothing to reschedule back
into. In other words, interrupt handlers are not associated with a task,
so there is nothing to "put to sleep" and (more importantly) "nothing to
wake up". They must run atomically.
This is not unlike other operating systems. In most operating systems,
interrupts are not threaded. Bottom halves often are, however.
The reason the page fault handler can sleep is that it is invoked only
by code that is running in process context. Because the kernel's own
memory is not pagable, only user-space memory accesses can result in a
page fault. Thus, only a few certain places (such as calls to
copy_{to,from}_user()) can cause a page fault within the kernel. Those
places must all be made by code that can sleep (i.e., process context,
no locks, et cetera).
A:
So what stops the scehduler from putting interrupt context to sleep and taking next schedulable process and passing it the control?
Scheduling happens on timer interrupts. The basic rule is that only one interrupt can be open at a time, so if you go to sleep in the "got data from device X" interrupt, the timer interrupt cannot run to schedule it out.
Interrupts also happen many times and overlap. If you put the "got data" interrupt to sleep, and then get more data, what happens? It's confusing (and fragile) enough that the catch-all rule is: no sleeping in interrupts. You will do it wrong.
A: Disallowing an interrupt handler to block is a design choice. When some data is on the device, the interrupt handler intercepts the current process, prepares the transfer of the data and enables the interrupt; before the handler enables the current interrupt, the device has to hang. We want keep our I/O busy and our system responsive, then we had better not block the interrupt handler.
I don't think the "unstable states" are an essential reason. Processes, no matter they are in user-mode or kernel-mode, should be aware that they may be interrupted by interrupts. If some kernel-mode data structure will be accessed by both interrupt handler and the current process, and race condition exists, then the current process should disable local interrupts, and moreover for multi-processor architectures, spinlocks should be used to during the critical sections.
I also don't think if the interrupt handler were blocked, it cannot be waken up. When we say "block", basically it means that the blocked process is waiting for some event/resource, so it links itself into some wait-queue for that event/resource. Whenever the resource is released, the releasing process is responsible for waking up the waiting process(es).
However, the really annoying thing is that the blocked process can do nothing during the blocking time; it did nothing wrong for this punishment, which is unfair. And nobody could surely predict the blocking time, so the innocent process has to wait for unclear reason and for unlimited time.
A: Even if you could put an ISR to sleep, you wouldn't want to do it. You want your ISRs to be as fast as possible to reduce the risk of missing subsequent interrupts.
A: The linux kernel has two ways to allocate interrupt stack. One is on the kernel stack of the interrupted process, the other is a dedicated interrupt stack per CPU. If the interrupt context is saved on the dedicated interrupt stack per CPU, then indeed the interrupt context is completely not associated with any process. The "current" macro will produce an invalid pointer to current running process, since the "current" macro with some architecture are computed with the stack pointer. The stack pointer in the interrupt context may point to the dedicated interrupt stack, not the kernel stack of some process.
A: By nature, the question is whether in interrupt handler you can get a valid "current" (address to the current process task_structure), if yes, it's possible to modify the content there accordingly to make it into "sleep" state, which can be back by scheduler later if the state get changed somehow. The answer may be hardware-dependent.
But in ARM, it's impossible since 'current' is irrelevant to process under interrupt mode. See the code below:
#linux/arch/arm/include/asm/thread_info.h
94 static inline struct thread_info *current_thread_info(void)
95 {
96 register unsigned long sp asm ("sp");
97 return (struct thread_info *)(sp & ~(THREAD_SIZE - 1));
98 }
sp in USER mode and SVC mode are the "same" ("same" here not mean they're equal, instead, user mode's sp point to user space stack, while svc mode's sp r13_svc point to the kernel stack, where the user process's task_structure was updated at previous task switch, When a system call occurs, the process enter kernel space again, when the sp (sp_svc) is still not changed, these 2 sp are associated with each other, in this sense, they're 'same'), So under SVC mode, kernel code can get the valid 'current'. But under other privileged modes, say interrupt mode, sp is 'different', point to dedicated address defined in cpu_init(). The 'current' calculated under these mode will be irrelevant to the interrupted process, accessing it will result in unexpected behaviors. That's why it's always said that system call can sleep but interrupt handler can't, system call works on process context but interrupt not.
A: High-level interrupt handlers mask the operations of all lower-priority interrupts, including those of the system timer interrupt. Consequently, the interrupt handler must avoid involving itself in an activity that might cause it to sleep. If the handler sleeps, then the system may hang because the timer is masked and incapable of scheduling the sleeping thread.
Does this make sense?
A: If a higher-level interrupt routine gets to the point where the next thing it must do has to happen after a period of time, then it needs to put a request into the timer queue, asking that another interrupt routine be run (at lower priority level) some time later.
When that interrupt routine runs, it would then raise priority level back to the level of the original interrupt routine, and continue execution. This has the same effect as a sleep.
A: It is just a design/implementation choices in Linux OS. The advantage of this design is simple, but it may not be good for real time OS requirements.
Other OSes have other designs/implementations.
For example, in Solaris, the interrupts could have different priorities, that allows most of devices interrupts are invoked in interrupt threads. The interrupt threads allows sleep because each of interrupt threads has separate stack in the context of the thread.
The interrupt threads design is good for real time threads which should have higher priorities than interrupts.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/1053572",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "53"
} |
Q: nested if else statment not working via target cell Hi I have a private sub (worksheet by change) which will run one of 26 macro's based on a cells value. All these do is hide or unhide specific row's based on the value from a cell which has a formula in it.
Now when I manually change the value of the cell the worksheet change event and macro's all work as they are meant to, BUT they don't work when the cell value is change via the formula, or rather bits of them do.
I have set the worksheet, and range variables in each macro, and likewise the target cell within the worksheet change event properly (dim r as range, etc.)
The code for the worksheet change event is below - wondered if anyone can spot or help as to why this doesn't seem to work when running without the manual cell value change
If I can avoid it I don't want to programmatically change the value in the cell (if "a condition" then r.value="A value" 26 times!)
here is the worksheet code
Dim r As Range, r1 As Range, r2 As Range, r3 As Range, r4 As Range, r5 As Range, r6 As Range, r7 As Range, r8 As Range
Dim r9 As Range, r10 As Range, r11 As Range, r12 As Range, r13 As Range, r14 As Range, r15 As Range, r16 As Range
Private Sub Worksheet_Change(ByVal Target As Range)
'Set range for selecting the region
Set r = Range("O19")
'Set facility ranges
Set r1 = Rows("22:24"): Set r2 = Rows("25:27"): Set r3 = Rows("28:30"): Set r4 = Rows("31:33")
'set product line ranges
Set r5 = Rows("37"): Set r6 = Rows("38"): Set r7 = Rows("39"): Set r8 = Rows("40"): Set r9 = Rows("41"): Set r10 = Rows("42"): Set r11 = Rows("43:45")
Set r12 = Rows("46:48"): Set r13 = Rows("49"): Set r14 = Rows("51:52"): Set r15 = Rows("36"): Set r16 = Rows("50")
'Hiding facility Rows based on product line
If r.Value = 1 Then ' Select Facility & all cells hidden
Application.Run ("Select_Facility")
ElseIf r.Value = 2 Then ' This is for North America & no Facility
Application.Run ("NA_NoFacility")
ElseIf r.Value = 3 Then ' This is for Breen Only
Application.Run ("Breen")
ElseIf r.Value = 4 Then ' This is for Conroe Only
Application.Run ("Conroe")
ElseIf r.Value = 5 Then ' This is for Lafayette Only
Application.Run ("Lafayette")
ElseIf r.Value = 6 Then ' This is for Breen & Conroe Only
Application.Run ("Breen_Conroe")
ElseIf r.Value = 7 Then ' This is for Breen & Lafayette Only
Application.Run ("Breen_Lafayette")
ElseIf r.Value = 8 Then ' This is for Conroe & Lafayette
Application.Run ("Conroe_Lafayette")
ElseIf r.Value = 9 Then ' This is for All North America
Application.Run ("All_NA")
ElseIf r.Value = 10 Then ' This is for Europe and no facility
Application.Run ("Europe_NoFacility")
ElseIf r.Value = 11 Then 'This is for Gateshead only
Application.Run ("Gateshead")
ElseIf r.Value = 12 Then 'This is for Kintore only
Application.Run ("Kintore ")
ElseIf r.Value = 13 Then 'This is for Kintore & Gateshead only
Application.Run ("All_Europe")
ElseIf r.Value = 14 Then ' This is for Middle East and no facility
Application.Run ("Europe_NoFacility")
ElseIf r.Value = 15 Then 'This is for Dubai only
Application.Run ("Dubai")
ElseIf r.Value = 16 Then 'This is for Saudi only
Application.Run ("Saudi")
ElseIf r.Value = 17 Then 'This is for Dubai and Saudi only
Application.Run ("Dubai_Saudi")
ElseIf r.Value = 18 Then ' This is for Far East & no Facility
Application.Run ("FE_NoFacility")
ElseIf r.Value = 19 Then ' This is for Loyang Only
Application.Run ("Loyang")
ElseIf r.Value = 20 Then ' This is for Tuas Only
Application.Run ("Tuas")
ElseIf r.Value = 21 Then ' This is for Perth Only
Application.Run ("Perth")
ElseIf r.Value = 22 Then ' This is for Loyang & Tuas Only
Application.Run ("Loyang_Tuas")
ElseIf r.Value = 23 Then ' This is for Loyang & Perth Only
Application.Run ("Loyang_Perth")
ElseIf r.Value = 24 Then ' This is for Tuas and Perth Only
Application.Run ("Tuas_Perth")
ElseIf r.Value = 25 Then ' This is for All far East facilities
Application.Run ("All_FE")
ElseIf r.Value = 26 Then ' This is for Global
Application.Run ("All_Global")
End If
The user could select a number of combinations of facilities which give me 26 variants - hence the 26 options above - originally the hide row's instructions were inside each ElseIF option but its wouldn't work there either.
The way the form works is the user selects the region, and then will select the relevant facilities - this will change the target cell twice, and also amend the hidden and visible rows. from which the user will select yes or no.
A: First, you need to work with Worksheet_Calculate() event, as already mentioned by Sam. But there's something more: why are you using a 26-conditions if-clause?
Create a next worksheet (Application_Sheet), with two columns, something like this:
R_Value Application
1 Select_Facility
2 No_Facility
... ...
Instead of the complicated if-clause, do something like this (not tested):
Application.Run(Range(Application_Sheet!B1).Offset(r.Value).Value)
A: I have implemented some of the changes recommended above, and while the code does seem neater, I cannot get this to work at all, here is my code for the worksheet_calculate() and the referenced macro. I keep getting a code execution interrupted error which then points back to the Worksheet_Calculate() name when I hit the debug option.
Private Sub Worksheet_Calculate()
'Define the worksheets & Ranges for use in this routine
Dim r As Range: Set r = Range("N19")
'Hiding facility Rows based on product line
Application.Run (Range("AB1").Offset(r.Value).Value)
End Sub
and one of the macro's is
Sub Select_Facility()
Dim ws As Worksheet: Set ws = ThisWorkbook.Worksheets("Supplier Details")
ws.Activate
Rows("22:24").EntireRow.Hidden = True
Rows("25:27").EntireRow.Hidden = True
Rows("28:30").EntireRow.Hidden = True
Rows("31:33").EntireRow.Hidden = True
Rows("37").EntireRow.Hidden = True
Rows("38").EntireRow.Hidden = True
Rows("39").EntireRow.Hidden = True
Rows("40").EntireRow.Hidden = True
Rows("41").EntireRow.Hidden = True
Rows("42").EntireRow.Hidden = True
Rows("43:45").EntireRow.Hidden = True
Rows("46:48").EntireRow.Hidden = True
Rows("49").EntireRow.Hidden = True
Rows("51:52").EntireRow.Hidden = True
Rows("36").EntireRow.Hidden = True
ws.Rows("50").EntireRow.Hidden = True
End Sub
Perhaps its something simple I am doing wrong, but.... Oh and all the rows in the above list are set to hidden as standard before I start.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/54981592",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: I want to customize some indicators in backtrader When I am using my own method, I met some problems, my program responds: Invalid parameter value for nbdev (expected float, got int)
I am really confused
after several tries, I suppose that the problem is caused because of my indicators.
I hope to learn how to customize my own indicators, and here is my code.
# indicator
class AJ(bt.Indicator):
params = dict(ema1=21, atr=17, ema2=5, ema3=2)
lines = ("AJ", "VAR2", "VAR3", "VAR4", "VAR5", "VAR6", "AK", "AD1")
plotinfo = dict(subplot = True)
plotlines = dict(
AJ = dict(ls="--"),
VAR2 = dict(_samecolor=True),
VAR3 = dict(_samecolor=True),
VAR4 = dict(_samecolor=True),
VAR5 = dict(_samecolor=True),
VAR6 = dict(_samecolor=True),
AK = dict(_samecolor=True),
AD1 = dict(_samecolor=True)
)
def __init__(self):
# self.l.expo的l代表从dataframe里面抽取一列的数据
self.l.VAR2 = (self.datas[0].close * 2 + self.datas[0].high + self.datas[0].low) / 4
self.l.VAR3 = bt.talib.EMA(self.l.VAR2, timeperiod=self.params.ema1)
self.l.VAR4 = np.sqrt(bt.talib.VAR(self.l.VAR2, timeperiod=self.params.ema1))
self.l.VAR5 = ((self.l.VAR2 - self.l.VAR3) / self.l.VAR4 * 100 + 200) / 4
self.l.VAR6 = (bt.talib.EMA(self.l.VAR5, timeperiod=self.params.ema2) - 25) * 1.56
self.l.AK = bt.talib.EMA(self.l.VAR6, timeperiod=self.params.ema3)* 1.22
self.l.AD1 = bt.talib.EMA(self.l.AK, timeperiod=self.params.ema3)
self.l.AJ = 3 * self.l.AK - 2 * self.l.AD1
# execute
class Strategy(bt.Strategy):
# 用于记录的模板(以后可直接copy)
def log(self, txt, dt=None):
dt = dt or self.datas[0].datetime.date(0)
print("%s, %s" % (dt.isoformat(), txt))
def __init__(self):
self.AJ = AJ()
self.close = self.data.close
# 比较格式化的东西,每次可以直接抄
def notify_order(self, order):
if order.status in [order.Submitted, order.Accepted]:
# Buy/Sell order submitted/accepted to/by broker - Nothing to do
return
# Check if an order has been completed
# Attention: broker could reject order if not enough cash
if order.status in [order.Completed]:
# 记录一下买入的信息
if order.isbuy():
self.log(
"BUY EXECUTED, Price: {:.2f}, Cost: {:.2f}, Commission: {:.2f}".format(
order.executed.price,
order.executed.value,
order.executed.comm
)
)
self.buyprice = order.executed.price
self.buycomm = order.executed.comm
# 记录一下卖出的信息
else:
self.log(
"SELL EXECUTED, Price: {:.2f}, Cost: {:.2f}, Commission: {:.2f}".format(
order.executed.price,
order.executed.value,
order.executed.comm
)
)
# 记录一下过去了几个蜡烛条,也就是几个交易周期
self.bar_executed = len(self)
elif order.status in [order.Canceled, order.Margin, order.Rejected]:
self.log("Order Cancel/Margin/Rejected")
self.order = None
def notify_trade(self, trade):
if not trade.isclosed:
return
self.log('OPERATION PROFIT, GROSS %.2f, NET %.2f' %
(trade.pnl, trade.pnlcomm))
# 执行交易的东西!!!
def next(self):
if not self.position:
if self.AJ[-1] < -40 and self.AJ[0] > -40:
self.order = self.order_target_percent(target=0.95)
else:
if self.AJ[-1] > 140 and self.AJ[0] < 140:
self.order = self.sell()
# main
if __name__ == "__main__":
cerebro = bt.Cerebro()
# 提取数据再喂数据
data = bt.feeds.PandasData(dataname=yf.download("510050.SS", "2017-01-01", "2022-01-01", auto_adjust=True))
cerebro.adddata(data)
# 添加策略
cerebro.addstrategy(Strategy)
# 设定开始价格
cerebro.broker.setcash(1000000)
cerebro.broker.setcommission(commission = 0.0001)
# 告诉你每次买多少的股票
cerebro.addsizer(bt.sizers.PercentSizer, percents = 98)
# 加入分析
cerebro.addanalyzer(bta.SharpeRatio, _name='sharpe')
cerebro.addanalyzer(bta.DrawDown, _name='drawdown')
cerebro.addanalyzer(bta.Returns, _name='returns')
# 执行交易
print("Start Portfolio Value {}".format(cerebro.broker.getvalue()))
back = cerebro.run()
print("End Portfolio Value {}".format(cerebro.broker.getvalue()))
# 把分析的结果搞出来
par_list = [[x.analyzers.returns.get_analysis()['rtot'],
x.analyzers.returns.get_analysis()['rnorm100'],
x.analyzers.drawdown.get_analysis()['max']['drawdown'],
x.analyzers.sharpe.get_analysis()['sharperatio']
] for x in back]
par_df = pd.DataFrame(par_list, columns=['Total Return', 'APR', 'Drawdown', 'SharpRatio'])
print(par_df)
# 画图
cerebro.plot(style = "candle")
A: self.l.VAR2 = (self.datas[0].close * 2 + self.datas[0].high + self.datas[0].low) / 4
self.l.VAR3 = bt.talib.EMA(self.l.VAR2, timeperiod=self.params.ema1)
self.l.VAR4 = bt.talib.STDDEV(self.l.VAR2, timeperiod=self.params.ema1, nbdev = 1.0)
self.l.VAR5 = ((self.l.VAR2 - self.l.VAR3) / self.l.VAR4 * 100 + 200) / 4
self.l.VAR6 = (bt.talib.EMA(self.l.VAR5, timeperiod=self.params.ema2) - 25) * 1.56
self.l.AK = bt.talib.EMA(self.l.VAR6, timeperiod=self.params.ema3)* 1.22
self.l.AD1 = bt.talib.EMA(self.l.AK, timeperiod=self.params.ema3)
self.l.AJ = 3 * self.l.AK - 2 * self.l.AD1
| {
"language": "en",
"url": "https://stackoverflow.com/questions/71528168",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: java script function inside razor block I am calling a EditDetails javascript function on click only if user has Admin permissions else disabling the button.
I see the error
"Cannot implicitly convert type bool to string " at the javascript function name.
What may be the issue?
<img src='../../Images/Edit.png' alt='Click to Edit'
onclick="@(Model.AdminPermissions ? "javascript:EditDetails('#@rowId');" ? "")" disabled="@(Model.AdminPermissions ? "" : "disabled")"
A: The error you were seeing is because you had accidentally included an extra ? inside of your @() block, and it should have been a :
Overall, it was close you just need to make sure that you break out of the string concatenation and get back to the razor (server) scope for the rowId.
<img src='../../Images/Edit.png' alt='Click to Edit'
onclick="@(
Model.AdminPermissions ? "javascript:EditDetails('#" + rowId + "');"
: ""
)"
disabled="@(Model.AdminPermissions ? "" : "disabled")
/>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/28181825",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Azure API Management does not validate required properties in payload We are using Azure API Management in a project, and we want APIM to be our shield against invalid requests. Since we've already specified what a valid request looks like in our OpenAPI specification and uploaded that to APIM, it seems like a reasonable assumption.
I have specified a component in our OpenAPI (version 3.0.1) specification like this:
TemperatureRange:
description: Defines a desired temperature range
required:
- min
- max
properties:
min:
type: number
max:
type: number
When uploaded to APIM the schema looks fine:
{
"required": [
"min",
"max"
],
"properties": {
"min": {
"type": "number"
},
"max": {
"type": "number"
}
},
"description": "Defines a desired temperature range"
}
However, when I call an API that uses this definition, I can leave out properties even though they are marked as required.
The payload I sent looks like this, leaving out the required max property:
[{
"someProperty": "someValue",
"temperatureRange": {
"min": -18,
}
}]
I can't find any documentation on this and it isn't mentioned in any restrictions. What is the intended behavior?
A: Looks like this is functionality that has been requested but has not been implemented: https://feedback.azure.com/forums/248703-api-management/suggestions/17369008-schema-validation-in-apim
| {
"language": "en",
"url": "https://stackoverflow.com/questions/64782551",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Does Lua support Decorators? I come from a Python background and really like the power of Python Decorators.
Does Lua support Decorators?
I've read the following link but it's unclear to me: http://lua-users.org/wiki/DecoratorsAndDocstrings
UPDATE
Would you also mind given an example how how to implement it in Lua if it's possible.
A: The "decorators" documented at the page you quote (and used for example in this one to add type-checking) have little to do with Python's oddly-named "decorator syntax" for a specific way to apply a higher-order function (HOF) -- rather, the decorators described and used in Lua's wiki are a Lua idiom to support an application of the Decorator Design Pattern to Lua functions (by holding "extra attributes" -- such as docstrings, typechecking functions, etc -- in separate global tables).
Lua does support HOFs (I'm not sure if you can re-bind a function name to the result of applying a HOF to the function, but you can easily, as the wiki pages show, use an anonymous "original function" and only bind a name to the HOF's result with that anon function as the arg).
Python's "decorator syntax" syntax sugar is nice (and, to my surprise, seems to have increased the use of HOFs by most Pythonistas by an order of magnitude!-), but there's nothing intrinsic or essential about them that you can't do in Lua (and Lua's anonymous functions run circle around Python's goofy, limited lambda anyway -- just like in Javascript, they have essentially the same power, and pretty much the same syntax, as a "normal" named function!-).
| {
"language": "en",
"url": "https://stackoverflow.com/questions/3640536",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "9"
} |
Q: Saving a reference to a int Here is a much simplified version of what I am trying to do
static void Main(string[] args)
{
int test = 0;
int test2 = 0;
Test A = new Test(ref test);
Test B = new Test(ref test);
Test C = new Test(ref test2);
A.write(); //Writes 1 should write 1
B.write(); //Writes 1 should write 2
C.write(); //Writes 1 should write 1
Console.ReadLine();
}
class Test
{
int _a;
public Test(ref int a)
{
_a = a; //I loose the reference here
}
public void write()
{
var b = System.Threading.Interlocked.Increment(ref _a);
Console.WriteLine(b);
}
}
In my real code I have a int that will be incremented by many threads however where the threads a called it will not be easy to pass it the parameter that points it at the int(In the real code this is happening inside a IEnumerator). So a requirement is the reference must be made in the constructor. Also not all threads will be pointing at the same single base int so I can not use a global static int either. I know I can just box the int inside a class and pass the class around but I wanted to know if that is the correct way of doing something like this?
What I think could be the correct way:
static void Main(string[] args)
{
Holder holder = new Holder(0);
Holder holder2 = new Holder(0);
Test A = new Test(holder);
Test B = new Test(holder);
Test C = new Test(holder2);
A.write(); //Writes 1 should write 1
B.write(); //Writes 2 should write 2
C.write(); //Writes 1 should write 1
Console.ReadLine();
}
class Holder
{
public Holder(int i)
{
num = i;
}
public int num;
}
class Test
{
Holder _holder;
public Test(Holder holder)
{
_holder = holder;
}
public void write()
{
var b = System.Threading.Interlocked.Increment(ref _holder.num);
Console.WriteLine(b);
}
}
Is there a better way than this?
A: Basically, the answer is Yes, you need a class.
There is no concept of 'reference to int' that you can store as a field. In C# it is limited to parameters.
And while there is an unsafe way (pointer to int, int*) the complexities of dealing with the GC in that scenario make it impractical and inefficient.
So your second example looks OK.
A: You cannot store a reference to a variable, for precisely the reason that someone could do what you are doing: take a reference to a local variable, and then use that reference after the local variable's storage is reclaimed.
Your approach of making the variable into a field of a class is fine. An alternative way of doing the same thing is to make getter and setter delegates to the variable. If the delegates are closed over an outer local variable, that outer local will be hoisted to a field so that its lifetime is longer than that of the delegates.
A: It is not possible to store a reference as a field.
You need to hold the int in a class.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/2940007",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "5"
} |
Q: GSON serialize and deserialize a list delegator I have a class that implements a List<T> and wraps an ArrayList<T> to which it delegates.
Something like that:
class ListWrapper<T> implements List<T> {
private String id;
private List<T> list = new ArrayList<T>();
private transient ListListener listener;
// all of List interface methods are delegated here e.g.
public void add(T t) {
list.add(t);
listener.onItemAdded(id);
}
...
}
GSON default behavior would be to treat this thing as a List and so it doesn't invoke field level reflection.
I would like to get a json like so:
{
id="1234",
list=[....]
}
Any idea on how to do that elegantly?
A: You can use custom TypeAdapter in this case.
Example:
class ListWrapper<T> extends ArrayList<T>
{
private static final long serialVersionUID = 1L;
String id = "asd";
List<T> list = new ArrayList<T>();
transient T listener = null;
}
Create your custom TypeAdapter
class CustomTypeAdapter<T> extends TypeAdapter<ListWrapper<T>>
{
@Override
public void write(JsonWriter writer, ListWrapper<T> value) throws IOException
{
if (value == null)
{
writer.nullValue();
return;
}
writer.beginObject();
// Add id field
writer.name("id").value(value.id);
// Add list field
StringBuilder builder = new StringBuilder("");
builder.append("list : [ ");
for (T t : value.list)
{
builder.append("T : " + t.toString() + ",");
}
String txt = builder.substring(0, builder.length() - 1) + "]";
writer.name("list").value(StringUtils.join(value.list, ";"));
// Add other fields
// TODO
writer.endObject();
}
@Override
public ListWrapper<T> read(JsonReader in) throws IOException
{
// Implement your deserialization logic here
return null;
}
}
Sample usage:
public static void main(String[] args)
{
GsonBuilder builder = new GsonBuilder();
builder.registerTypeAdapter(ListWrapper.class, new CustomTypeAdapter<String>());
Gson gson = builder.create();
ListWrapper<String> lw = new ListWrapper<String>();
lw.list.add("as");
lw.list.add("is");
System.out.println(gson.toJson(lw));
}
Sample output JSON:
{"id":"asd","list":"as;is"}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/25640439",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Uncaught TypeError: Cannot call method 'contains' of undefined NOTE Please see this question for a bit of background...
So my (very basic) form validation is working - sort of.
When checking the input value for the email address field, I want to make sure that the email address has a value (i.e. is not blank) and contains @ and . characters so I did this...
<div width="100%" class="con1">
<div class="lable">
<label for="email">Email Address *</label>
</div>
<input type="text" name="email" class="span4">
</div>
<script>
$('input[type=submit]').click(function() {
var parentname = $(this).parent('div');
console.log('Form used: ' + parentname);
var email = 0,
// Validate email
if ($('.' + parentname.attr('class') + ' #email').val() == '')
{
alert('Please enter a valid email address');
}
else
{
if (($('.' + parentname.attr('class') + ' #email').val().contains('@')) && ($('.' + parentname.attr('class') + ' #email').val().contains('.')))
{
email = 1;
}
else
{
alert('Please enter a valid email address');
}
}
});
</script>
It looks a little weird but complexity as mentioned in the linked question above required me to think a little differently with my selectors.
Basically $('.' + parentname.attr('class') + ' #email') is the same as writing (in the case I'm using $('.con1 #email') as the selector which I believe to be correct based on my HTML structure.
I tried working with $('.' + parentname.attr('class').child('#email') but then kept getting an error that said the element had no method 'child'
I wrote this based on a previous form I'd created where I'd used the same principle in effect, to block emails coming from yahoo.com because I was getting a lot of spam from there:
if ($("#contact-email").val().contains("yahoo.com")) {
$(".errmsg").text("Domain yahoo.com has been banned due to excessive spam, please use another domain.");
}
else
{
email = 1;
}
While the 2nd sample that I've pasted here works, the first one that validates the email field more thoroughly keeps returning this error:
Uncaught TypeError: Cannot call method 'contains' of undefined
I can't understand how this could work in one site and not another. I feel like I'm missing something so would appreciate it if anyone can see what that might be.
Thanks in advance!
A: The elements should have an id="email" to allow the selector:
$('.' + parentname.attr('class') + ' #email')
| {
"language": "en",
"url": "https://stackoverflow.com/questions/14998257",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: ASP.NET project works on IIS server but not on localhost I have an ASP.NET project that was working fine until today. I added a new webform (.aspx) to the project and it started giving a parse error. I spent hours fixing this issue but had no luck. I deleted all the files and cloned the repo to start from scratch but now the cloned project started giving the same error for a default aspx page that was working before. I thought this could my local system-related issue so I tried publishing the website using Visual Studio publish profile onto the IIS website on a different server. The site got published without any errors and the website is loading without any errors.
Please help to identify why the same project is giving "Parser Error Message: Could not load type 'sometype'" error? I tried many solutions given in this post-https://stackoverflow.com/questions/15071220/parser-error-message-could-not-load-type-sometype but nothing works.
A: I thought I would update how I resolved the issue in case someone is facing the same issue.
There are number of things I did:
*
*Updated package.config as some of the packages were not using 4.6.1. I'm not sure how it worked until a certain point in time.
*Deleted local repo. Cloned the code from the repository, built the solution, and tested if the local instance is working. At this point, it was not.
*I noticed that the solution was compiling and producing libraries but the libraries were not copied into the \bin\Debug folder even though the output path was set to bin\Debug folder. So I updated the properties to change the output path to \bin, rebuilt the solution, and then changed the path back to bin\Debug and rebuilt it again. The local instance launched without any issues this time.
*Added the new webform (.aspx) file again and rebuilt the solution. This time the local instance launched without any issues.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/69774381",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Sending Email after insertion of data using codeigniter php Sending email after inserting the data into database using codeigniter PHP is not working.Data is inserting succesfully but the MAIL functionality is not working getting as www.hostname.com page isn’t working.Can any one help me this.Thanks in advance.Here is my code.
Controller:
class Blog extends CI_Controller
{
function __construct()
{
parent::__construct();
//here we will autoload the pagination library
$this->load->model('blogs_model');
$this->load->library('email');
}
function addcomments()
{
$this->load->library('form_validation');
$this->form_validation->set_error_delimiters('<br /><span class="error"> ','</span>');
$this->form_validation->set_rules('first_name','First Name' , 'required');
$this->form_validation->set_rules('email','Email');
$this->form_validation->set_rules('location','Location');
$this->form_validation->set_rules('description','Description');
if($this->form_validation->run()== FALSE)
{
$data['mainpage']='blogs';
$this->load->view('templates/template',$data);
}
else
{
//insert the user registration details into database
$data=array(
'blog_id'=>$this->input->post('bl_id'),
'first_name'=>$this->input->post('first_name'),
'email'=>$this->input->post('email'),
'description'=>$this->input->post('description'),
'location'=>$this->input->post('location')
);
// insert form data into database
if ($this->blogs_model -> insertcomments($data))
{
// send email
if ($this->blogs_model->send_mail($this->input->post('email')))
{
// successfully sent mail
$this->flash->success('msg','<div class="alert alert-success text-center">You are Successfully Registered! Please confirm the mail sent to your Email-ID!!!</div>');
redirect("blog");
}
else
{
// error
$this->flash->success('msg','<div class="alert alert-danger text-center">Oops! Error. Please try again later!!!</div>');
redirect("blog");
}
}
else
{
// error
$this->flash->success('msg','<div class="alert alert-danger text-center">Oops! Error. Please try again later!!!</div>');
redirect('blog');
}
}
}
}
Model:
function insertcomments($data)
{
return $this->db->insert('comments', $data);
//$this->db->insert('comments',$data);
//return $this->input->post('bl_id');
}
function sendEmail($to_email)
{
//configure email settings
$config=Array(
'protocol'=> 'smtp',
'smtp_host' => 'ssl://smtp.googlemail.com', //smtp host name
'smtp_port' => '465', //smtp port number
'smtp_user' => '[email protected]',
'smtp_pass' => '************', //$from_email password
'mailtype' =>'html',
'charset' => 'iso-8859-1',
'wordwrap' => TRUE
);
//send mail
$this->load->library('email',$config);
$this->email->from('[email protected]', 'Admin');
$this->email->to('[email protected]');
$this->email->subject('Comments');
$this->email->message('Testing');
$this->email->set_newline("\r\n");
return $this->email->send();
}
A: You are using wrong method name for sending email in your controller:
$this->blogs_model->send_mail($this->input->post('email'))
Correct function name is sendEmail()
$this->blogs_model->sendEmail($this->input->post('email'))
A: Check your code:
You should change function "send_mail" in your controller because in model you used "sendEmail".
Change in to your controller :
$this->blogs_model->sendEmail($this->input->post('email'))
A: I think the problems in your code is this line
smtp_host' => 'ssl://smtp.googlemail.com
try instead: smtp_host' => 'http://smtp.gmail.com
| {
"language": "en",
"url": "https://stackoverflow.com/questions/40261243",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Weird PHP session I've got a perfectly functioning site which uses sessions. The only exception, is one particular page. The page performs some DB SELECTS, verification stuff, etc. etc.
Then, later on, in the HTML part, ive got a tag. Between that, ive got
<?php
$classes = explode(",", $_SESSION['classes']);
foreach ($classes as $class) {
echo "<option>".$class."</option>";
}
?>
Now $_SESSION['classes'] is a comma separated string. Example: "10 A,11 D,12 C"
here's the weird part, when i load this page, everything works perfectly, and i get a drop-down select with options 10 A, 11 D and 12 C... but, when i refresh the page, I get a dropdown box with only one option: Array
Yes, it just says Array.... no other options.
And no, i haven't set the value to anything else after that PHP block. in fact, i dont have another PHP block after this one
To debug it, I added a php block with the code: echo $_SESSION['classes']; after the </select> tag, and the first page load, it said 10 A,11 D,12 C. After refresh, it said Array
Then i tried var_dump($_SESSION); and it said ["classes"]=> &string(9) "11 A,10 C" Heres the weirdest part: After refresh, it said ["classes"]=> &array(2) { [0]=> string(4) "11 A" [1]=> string(4) "10 C" } and on another refresh, it said ["classes"]=> &array(1) { [0]=> string(5) "Array" }
This only happens on my web host though, not on my local server. And, only on this page
I have no idea what's causing this, or how to fix it
A: You probably have register_globals turned on so $classes gets mixed with $_SESSION['classes'] at some point.
You should turn them off. (Here's why.)
Or, if turning them off is not possible due to whatever reason, change variable names.
A: Got it!
Here's my new code:
<?php
$classesBeingTaught[] = explode(",", $_SESSION['classes']);
foreach ($classesBeingTaught[0] as $classBeingTaught) {
echo "<option>".$classBeingTaught."</option>";
}
?>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/17637997",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Why EXPAND_FACTOR is 2 in ImmutableCollections.java Below code comes from Java 11, java.util.ImmutableCollections.java, line 783.
static final int EXPAND_FACTOR = 2;
MapN(Object... input) {
if ((input.length & 1) != 0) { // implicit nullcheck of input
throw new InternalError("length is odd");
}
size = input.length >> 1;
int len = EXPAND_FACTOR * input.length;
len = (len + 1) & ~1; // ensure table is even length
table = new Object[len];
Why the len is twice input.length? I think the table doesn't need to store elements more than input.length.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/59627308",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Unique link to an artifact deployed to JFrog Artifactory I'm a new Artifactory user. My company just setup Artifactory v6.5.2 and I'm looking to use is for managing software deployed for our production team. What I need is a download link that will get documented in our product management system that directly points to the exact file that Software deployed for Production to use. I was anticipating this would look like this:
https://artifactory.mycompany.com/artifactory/myrepo/mymodule/mypkgfile_v1_b30b890becfb4a02510ed12a7283c676.tgz
I'm not seeing that Artifactory can do this for me. What I see is I can do this:
http://artifactory.mycompany.com/artifactory/myrepo/mymodule/mypkgfile_v1.tgz
However if another artifact is deployed with the same name, it's not reflected in the download link. This means that the link could return different results.
Am I missing something or am I asking Artifactory do something it's not intended to do?
A: Artifactory returns the URL based on on the filename and the path (as any web server would do). Here are two options to achieve what you need:
*
*Name the artifacts uniquely (timestamps are the simplest). Instead of naming the artifact mypkgfile_v1.tgz, name it mypkgfile_v1-1553038888.tgz (I used the Unix Epoch time, but everything unique enough will do).
*This one is more evolved but doesn't require you to change the naming scheme.
*
*First, configure a custom repository layout to match your versioning.
*Once you've done that, every time you deploy an artifact, attach a unique identifier to the artifact as property during deployment (using matrix params, for example), deploying your artifact as mypkgfile_v1;timestamp=1553038888.
*On the revrieval, use the token for the latest release together with the timestamp you need as a matrix param:mypkgfile_v[RELEASE];timestamp=1553038888
| {
"language": "en",
"url": "https://stackoverflow.com/questions/54990562",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: What is the best practice for packaging Lua script files to be called from C. Using CMake I'm learning to use Lua to embed in my C programs. I was wondering what they best way make sure that my C program can find the Lua files after it's built. I'm trying to make sure this works with an out of source CMake build.
Here is what I have so far.
In my c file, I have...
int runLuaHelloWorld() {
lua_State *L = luaL_newstate();
luaL_openlibs(L);
luaL_dofile(L, "helloWorld.lua");
lua_close(L);
return 0;
}
In my CMakeLists.txt I have.
set(EMBEDDED_LUA_SRC embeddedLua.c embeddedLua.h)
add_library(embeddedLua ${EMBEDDED_LUA_SRC})
if(LUA_FOUND)
target_include_directories(embeddedLua PRIVATE ${LUA_INCLUDE_DIR})
target_link_libraries(embeddedLua ${LUA_LIBRARIES})
add_custom_command(TARGET embeddedLua POST_BUILD COMMAND ${CMAKE_COMMAND} -E copy $<TARGET_FILE:embeddedLua> helloWorld.lua)
endif()
This successfully copies it to my build directory. But it seems to load my lua script file relative to my current working directory. In other words, I can only get the script to run if I'm running it from my build folder.
What's the best practice for including and running external lua files post build?
Perhaps I'm going about this completely the wrong way. Maybe this isn't a build issue at all. The lua script needs to run relative to the executable (or better yet, relative to a library) rather than to my working directory.
Any idea?
A: In our software we define a path to a directory where we store extensions written in Lua. Then we use the opendir(), readir() etc. to find files in that directory, and when they end in '.lua' we load and execute them. So use just need to copy their scripts to that location.
In some applications we even store the Lua scripts in a text column of a (PostgreSQL) database table.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/41387809",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: MockMvc Integration Test with List of Object as Request Param I am working on a REST service using Spring MVC which takes List of Object as request parameter.
@RequestMapping(value="/test", method=RequestMethod.PUT)
public String updateActiveStatus(ArrayList<Test> testList, BindingResult result) throws Exception {
if(testList.isEmpty()) {
throw new BadRequestException();
}
return null;
}
When I am trying a Integration test for above service, I am not able to send the list of Test object in request param.
Following code is not working for me.
List<Test> testList = Arrays.asList(new Test(), new Test());
mockMvc.perform(put(ApplicationConstants.UPDATE_ACTIVE_STATUS)
.content(objectMapper.writeValueAsString(testList)))
.andDo(print());
Can anyone please help on this!
A:
@RequestParam with List or array
@RequestMapping("/books")
public String books(@RequestParam List<String> authors,
Model model){
model.addAttribute("authors", authors);
return "books.jsp";
}
@Test
public void whenMultipleParameters_thenList() throws Exception {
this.mockMvc.perform(get("/books")
.param("authors", "martin")
.param("authors", "tolkien")
)
.andExpect(status().isOk())
.andExpect(model().attribute("authors", contains("martin","tolkien")));
}
A: Use Gson library to convert list into a json string and then put that string in content
Also put the @RequestBody annotation with the method parameter in the controller
public String updateActiveStatus(@RequestBody ArrayList<...
A: In case of using the parameter as List by the RequestParams:
In my case, it was a list on Enum values.
when(portService.searchPort(Collections.singletonList(TypeEnum.NETWORK))
.thenReturn(searchDto);
ResultActions ra = mockMvc.perform(get("/port/search")
.param("type", new String[]{TypeEnum.NETWORK.name()}));
| {
"language": "en",
"url": "https://stackoverflow.com/questions/56488012",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Can I apply the same styling to two elements together in jQuery by grouping them like in CSS? This is simply for keeping code neater. In CSS I can group elements like this:
.element1,
.element2,
.element3,
.element4,
.element5,
.element6 {
font-weight:bold;
}
is there anything similar in jQuery or would I have to set each separately.
$('.element1').css('font-weight', 'bold');
$('.element2').css('font-weight', 'bold');
$('.element3').css('font-weight', 'bold');
etc
I suppose I imagine something like
$('.element1', '.element2', etc).css('font-weight', 'bold);
A: Even more simple, you can use precisely the same selector in jQuery as you could in CSS:
$('.element1, .element2').css('font-weight', 'bold);
A: The simple answer is yes, you can do that. But group your selectors using CSS syntax.
$('.element1, .element2, .element3').css('font-weight', 'bold');
A: $('.element1, .element2, etc').css('font-weight', 'bold');
JQuery multiple selectors.
A: Yes you can!
Except you want it like this: $('.element1,.element2').css('font-weight', 'bold);
Source: http://api.jquery.com/multiple-selector/
A: Use multiple selectors. Example:
$("div,span,p.myClass").css("border","3px solid red");
| {
"language": "en",
"url": "https://stackoverflow.com/questions/15937546",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Subsets and Splits