text
stringlengths 15
59.8k
| meta
dict |
---|---|
Q: Counting online users using asp.net I'm to create a website for which I need to count the online users and show it on the home page all the time. I'm not interested to apply ready-to-use modules for it. Here is what I have already done:
Adding a Global.asax file to my project
Writing the following code snippet in the Global.asax file:
void Application_Start(object sender, EventArgs e)
{
Application["OnlineUsers"] = 0;
}
void Session_Start(object sender, EventArgs e)
{
Application.Lock();
Application["OnlineUsers"] = (int)Application["OnlineUsers"] + 1;
Application.UnLock();
}
void Session_End(object sender, EventArgs e)
{
Application.Lock();
Application["OnlineUsers"] = (int)Application["OnlineUsers"] - 1;
Application.UnLock();
}
Actually it works fine but I have found the following bug:
--> Even if the user close the browser, the real count of online users is not shown
since the session timeout is still alive!
Is there any solution but changing the session timeout interval?
A: The Session_End event fires when the server-side session times out, which is (default) 20 minutes after the last request has been served. The server does NOT know when the user "navigates away" or "closes the browser", so can't act on that.
A: You could use onUserExit jQuery plugin to call some server side code and abandon the session. Activate onUserExit on document ready :
<script type="text/javascript">
jQuery(document).ready(function () {
jQuery().onUserExit({
execute: function () {
jQuery.ajax({
url: '/EndSession.ashx', async: false
});
},
internalURLs: 'www.yourdomain.com|yourdomain.com'
});
});
</script>
And in EndSession.ashx abandon the session and server side Session_End will be called :
public void ProcessRequest(HttpContext context)
{
context.Session.Abandon();
context.Response.ContentType = "text/plain";
context.Response.Write("My session abandoned !");
}
note that this will not cover all cases (for example if user kills browser trough task manager).
A: No, It will take time to update until session is timedout...
A: It's the limitation of this approach that server will think user is logged in unless the session ends actually; which will happen only when the number of minutes has passed as specified in the session timeout configuration.
Check this post: http://forums.asp.net/t/1283350.aspx
Found this Online-active-users-counter-in-ASP-NET
| {
"language": "en",
"url": "https://stackoverflow.com/questions/10481351",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "4"
} |
Q: Iteration results in fixed-size groups I can iterate over a list or string in fixed-size slices like this:
for n in range(0, len(somelongstring), 10):
print(somelongstring[n:n+10])
But how do I iterate over 10-line slices from an open file, or over some other iterable, without reading the whole thing into a list? Every so often I need to do this, and there must be a straightforward formula using itertools, but there is nothing similar in the itertools documentation, and I can't google it or figure it out and I end up solving the problem some other way. What am I missing?
with open("filename.txt") as source:
for tenlinegroup in ten_at_a_time_magic(source, 10):
print(...)
A: I finally remembered that the term for this is "chunking", and then I was able to track it down, in the itertools recipes no less. Boiled down, it's this head-spinning little trick with zip (actually zip_longest, but who's counting):
def chunk(source, n):
return zip_longest(*([iter(source)] * n))
First you take n references to the same iterator and bundle them into a list; then you unpack this list (with *) as arguments to zip_longest. When it's used, each tuple returned by zip_longest is filled from n successive calls to the iterator.
>>> for row in chunk(range(10), 3):
... print(row)
(0, 1, 2)
(3, 4, 5)
(6, 7, 8)
(9, None, None)
See the itertools recipes (look for grouper) and this SO answer for variations on the corner cases.
A: My suggestions is that, if you need such a function regularly, why not write it yourself. Here is an example how I would code it:
def slice_into_lists(iterable, groupsize):
rv = []
count = 0
for i in iterable:
rv.append(i)
count += 1
if count % groupsize == 0:
yield rv
rv = []
if rv:
yield rv
Of course instead of returning a list, you could also return something different.
A: The problem got me interested, so I worked on a solution that would not copy anything but only use the original iterator. Posting it here as it relates directly to the question.
class ichunk:
''' An iterable wrapper that raises StopIteration every chunksize+1'th call to __next__ '''
def __init__(self, iterable, chunksize, fill_last_chunk, fill_value):
self.it = iter(iterable)
self.stopinterval = chunksize+1
self.counter = 0
self.has_ended = False
self.fill_last = fill_last_chunk
self.fill_value = fill_value
def __iter__(self):
return self
def __next__(self):
if self.counter > 0 and self.counter % self.stopinterval == 0:
self.counter += 1
raise StopIteration
try:
self.counter += 1
nexti = next(self.it)
return nexti
except StopIteration as e:
self.has_ended = True
if (not self.fill_last) or (self.counter % self.stopinterval == 0):
raise e
else:
return self.fill_value
def ichunker(iterable, chunksize, *, fill_last_chunk=False, fill_value=None):
c = ichunk(iterable, chunksize, fill_last_chunk, fill_value)
while not c.has_ended:
yield c
So rather then using the returned value from ichunker, you iterate over it again like:
with open("filename") as fp:
for chunk in ichunker(fp, 10):
print("------ start of Chunk -------")
for line in chunk:
print("--> "+line.strip())
print("------ End of Chunk -------")
print("End of iteration")
A: Welcome to more_itertools.
Straight from the documentation:
>>> from more_itertools import ichunk
>>> from itertools import count
>>> all_chunks = ichunked(count(), 4)
>>> c_1, c_2, c_3 = next(all_chunks), next(all_chunks), next(all_chunks)
>>> list(c_2) # c_1's elements have been cached; c_3's haven't been
[4, 5, 6, 7]
>>> list(c_1)
[0, 1, 2, 3]
>>> list(c_3)
[8, 9, 10, 11]
You can choose between ichunk, which breaks an iterable into n sub-iterables, or chunk, which returns n sub-lists.
A: Use itertools.islice with enumerate like this
import itertools
some_long_string = "ajbsjabdabdkabda"
for n in itertools.islice(enumerate(some_long_string), 0, None ,10):
print(some_long_string[n[0]:n[0]+10])
# output
ajbsjabdab
dkabda
If you are dealing with file then you can use chunk while file.read() like this
# for file
with open("file1.txt", ) as f:
for n in itertools.islice(enumerate(f.read(10000)), 0, 1000 ,5):
print(n[1])
| {
"language": "en",
"url": "https://stackoverflow.com/questions/74165798",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Keras Conv2D get_weights clones a copy? Does get_weights make a deep clone copy or something?
The changes I make to the convolution kernels have no effect on the model until I call set_weights.
In the keras source get_weights is calling batch_get_values but the internals of that ore rather hard to understand.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/51390238",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Is it possible to build a Static SPA with Next.js that has dynamic routes? I'm looking to build a static Next.js Single Page App that has dynamic routes, for example: /posts/123. I'd like to do this to:
*
*Be able to host the site anywhere (e.g. S3)
*Not need to know the routes at build time (so our APIs can change whenever independently of the Frontend/without requiring a rebuild of the Frontend)
From what I can tell, this should work with:
*
*next build && next export
*fallback: true
But the docs suggest that's only for loading/intermediate states.
Can I use some combination of fallback pages/catchall dynamic routes/static generation to get a static single-page app with dynamic routes at runtime? I'm okay with faking the routes using nginx (e.g. /posts/123 -> /index.html).
Edit: the above paragraph doesn't seem possible. From the docs, when using a required catchall route, e.g. [...post].js):
fallback: true is not supported when using next export.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/66231900",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Hive: Whenever it fires a map reduce it gives me this error "Can not create a Path from an empty string", how do I debug? I am using hive 0.10 and when I do
hive -e "show tables", hive -e "desc table_name" it works!
but when I do something like hive -e "select count(*) table_name I am getting the exception below. Is there a way I can debug this? The same code worked in the previous cluster with a older version of hive and the new cluster is throwing this error. What should be the right way to debug this kind of issues, did not find anything from google that solves the issue.
java.lang.IllegalArgumentException: Can not create a Path from an empty string
at org.apache.hadoop.fs.Path.checkPathArg(Path.java:91)
at org.apache.hadoop.fs.Path.<init>(Path.java:99)
at org.apache.hadoop.hive.ql.exec.Utilities.getHiveJobID(Utilities.java:382)
at org.apache.hadoop.hive.ql.exec.Utilities.clearMapRedWork(Utilities.java:195)
at org.apache.hadoop.hive.ql.exec.ExecDriver.execute(ExecDriver.java:472)
at org.apache.hadoop.hive.ql.exec.MapRedTask.execute(MapRedTask.java:138)
at org.apache.hadoop.hive.ql.exec.Task.executeTask(Task.java:138)
at org.apache.hadoop.hive.ql.exec.TaskRunner.runSequential(TaskRunner.java:57)
at org.apache.hadoop.hive.ql.Driver.launchTask(Driver.java:1352)
at org.apache.hadoop.hive.ql.Driver.execute(Driver.java:1138)
at org.apache.hadoop.hive.ql.Driver.run(Driver.java:951)
at org.apache.hadoop.hive.cli.CliDriver.processLocalCmd(CliDriver.java:259)
at org.apache.hadoop.hive.cli.CliDriver.processCmd(CliDriver.java:216)
at org.apache.hadoop.hive.cli.CliDriver.processLine(CliDriver.java:412)
at org.apache.hadoop.hive.cli.CliDriver.processLine(CliDriver.java:347)
at org.apache.hadoop.hive.cli.CliDriver.run(CliDriver.java:706)
at org.apache.hadoop.hive.cli.CliDriver.main(CliDriver.java:613)
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:57)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:606)
at org.apache.hadoop.util.RunJar.main(RunJar.java:208)
FAILED: Execution Error, return code 1 from org.apache.hadoop.hive.ql.exec.MapRedTask
A: I have solved the problem.
I looked up the log file and in my case the table is an external table referring to a directory located on hdfs. This directory contains more than 300000 files. So while reading the files it was throwing an out of memory exception and may be for this reason it was getting an empty string and throwing 'Can not create a Path from an empty string' exception.
I tried with a smaller subset of files and it worked.
Bottomline, one possible cause for this exception is running out of memory.
A: I my case, there is a hive property which is set
set hive.input.format=org.apache.hadoop.hive.ql.io.HiveInputFormat; in .hiverc file which is throwing the exception.
Diagnostic Messages for this Task:
Error: java.lang.IllegalArgumentException: Can not create a Path from an empty string
at org.apache.hadoop.fs.Path.checkPathArg(Path.java:131)
at org.apache.hadoop.fs.Path.(Path.java:139)
at org.apache.hadoop.hive.ql.io.HiveInputFormat$HiveInputSplit.getPath(HiveInputFormat.java:110)
at org.apache.hadoop.mapred.MapTask.updateJobWithSplit(MapTask.java:463)
at org.apache.hadoop.mapred.MapTask.runOldMapper(MapTask.java:411)
at org.apache.hadoop.mapred.MapTask.run(MapTask.java:347)
at org.apache.hadoop.mapred.YarnChild$2.run(YarnChild.java:168)
at java.security.AccessController.doPrivileged(Native Method)
at javax.security.auth.Subject.doAs(Subject.java:415)
at org.apache.hadoop.security.UserGroupInformation.doAs(UserGroupInformation.java:1566)
at org.apache.hadoop.mapred.YarnChild.main(YarnChild.java:163)
After changing it to below, it worked
set hive.input.format=org.apache.hadoop.hive.ql.io.CombineHiveInputFormat;
A: I encountered the same error. My hive.log file showed the cause - see the first line in the snippet below where one of the jar file URIs contains file:// without any path:
2018-05-03 04:37:43,706 INFO [main]: mr.ExecDriver (ExecDriver.java:execute(309)) - adding libjars: file://,file:///opt/cloudera/parcels/CDH/lib/hive/lib/hive-contrib.jar
2018-05-03 04:38:07,568 WARN [main]: mapreduce.JobResourceUploader (JobResourceUploader.java:uploadFiles(64)) - Hadoop command-line option parsing not performed. Implement the Tool interface and execute your application with ToolRunner to remedy this.
2018-05-03 04:38:07,599 ERROR [main]: exec.Task (SessionState.java:printError(937)) - Job Submission failed with exception 'java.lang.IllegalArgumentException(Can not create a Path from an empty string)'
In my case, the issue was caused by a badly configured $HIVE_HOME/conf/hive-env.sh file, where HIVE_AUX_JARS_PATH contained a reference to an environment variable that was not set.
For example:
export HIVE_AUX_JARS_PATH=$EMPTY_ENV_VARIABLE,/opt/cloudera/parcels/CDH/lib/hive/lib/hive-contrib.jar
| {
"language": "en",
"url": "https://stackoverflow.com/questions/24564357",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: How to remove all PLMNs in EF FPLMN? When I want to remove a specific PLMN from EF FPLMN, I just replace it with FFFFFF according to Ts-131102 section 4.2.16. so for example if I want to remove 32f856 from EF FPLMN with the content 32f85632f857 in it, I just replace the desired PLMN with FFFFFF with the Update Binary command. so afterwards the content of EF FPLMN would look like this:
FFFFFF32f857.
Now I can remove all the PLMNs in EF one by one in this way, But is there anyway to remove all PLMNs at once? Or in general is there a way to remove all bytes of a transparent EF at once?
A: You can of course update the whole transparent EF with the FF pattern using the UPDATE BINARY command.
Depending on on the size of the file and the supported data field length of your card / reader you may have to send more than one command and specify the offset from where on to update.
If the transparent EF is larger than 32 KByte, you have to use the UPDATE BINARY with odd INS code and give the offset and data to update in their respective data object.
If your card supports the ERASE BINARY command, you could use that instead.
Have a look here for a description of the BINARY commands.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/65576260",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Using AJAX, and retrieving the ready states I am using the code behind for the retrieving the ready states and it's works good for me. May I please ask how can I add a else statemen in this content. Like if the url is not available I would like to print a message to user. Like
document.getElementById("div p").innerHTML = "Ping is not success!";
and try to make it looks like little bit more fancier then a plain html text.
Her is the my code:
url = "<whatever you want to ping>"
ping = new XMLHttpRequest();
ping.onreadystatechange = function(){
document.body.innerHTML += "</br>" + ping.readyState;
if(ping.readyState == 4){
if(ping.status == 200){
result = ping.getAllResponseHeaders();
document.body.innerHTML += "</br>" + result + "</br>";
}
}
}
ping.open("GET", url, true);
ping.send();
A: When a requests ends, the readyState is 4, but the status may be a value other than 200. If the status is 0, that indicates a network error or CORS failure (for cross-origin servers). If it is some other value (like 404), that means the script reached the server, but the server didn't handle the request successfully (either because the URL path used wasn't meaningful, or a server-side error occurred, etc.)
ping.onreadystatechange = function(){
document.body.innerHTML += "<br>" + ping.readyState;
if(ping.readyState == 4){
if(ping.status == 200){
result = ping.getAllResponseHeaders();
document.body.innerHTML += "<br>" + result + "<br>";
} else if(ping.status == 0) {
document.getElementById("foobar").innerHTML = "Ping is not successful! Could not get any response from the server, due to a network failure, CORS error, or offline server.";
} else {
result = ping.getAllResponseHeaders();
document.getElementById("foobar").innerHTML = "We got a response from the server, but it was status code " + ping.status;
}
}
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/40534080",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Select one way without return Working with the professional mobility of insee on more than 1m of entities, i seek to add up a field called ipondi only on the journeys from commune of residence to commune of work, and not of commune of work to residential commune.
Let us assume a simple example, with the column of commune of residence named "departure", and commune of work named "arrival", and the field which i wish to make the sum named "ipondi":
start; end; ipondi
La Ciotat; Marseille; 84
La Ciotat; Marseille; 15
Aubagne; Ceyreste; 12
Marseille; La Ciotat; 73
So I get the following result:
select start, end, sum(ipondi)
from trajets
group by start, end
So I get the following result:
La Ciotat; Marseille; 99
Aubagne; Ceyreste; 12
Marseille; La Ciotat; 73
Which is normal. However, I would like to "delete" the Marseille; La Ciotat because it is the return journey of the first two lines.
This being so to arrive at this result:
start; end; ipondi
La Ciotat; Marseille; 99
Aubagne; Ceyreste; 12
My link to my database : https://drive.google.com/file/d/1TOB1MTAt8UNCjt0up6qcgnR593yMXkqt/view?usp=sharing
How to do this on PostgreSQL?
Thank you.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/60822400",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: MYSQL SELECT random on large table ORDER BY SCORE I have a large mysql table with about 25000 rows. There are 5 table fields: ID, NAME, SCORE, AGE,SEX
I need to select random 5 MALES order BY SCORE DESC
For instance, if there are 100 men that score 60 each and another 100 that score 45 each, the script should return random 5 from the first 200 men from the list of 25000
ORDER BY RAND()
is very slow
The real issue is that the 5 men should be a random selection within the first 200 records. Thanks for the help
A: I dont think that sorting by random can be "optimised out" in any way as sorting is N*log(N) operation. Sorting is avoided by query analyzer by using indexes.
The ORDER BY RAND() operation actually re-queries each row of your table, assigns a random number ID and then delivers the results. This takes a large amount of processing time for table of more than 500 rows. And since your table is containing approx 25000 rows then it will definitely take a good amount of time.
A: so to get something like this I would use a subquery.. that way you are only putting the RAND() on the outer query which will be much less taxing.
From what I understood from your question you want 200 males from the table with the highest score... so that would be something like this:
SELECT *
FROM table_name
WHERE age = 'male'
ORDER BY score DESC
LIMIT 200
now to randomize 5 results it would be something like this.
SELECT id, score, name, age, sex
FROM
( SELECT *
FROM table_name
WHERE age = 'male'
ORDER BY score DESC
LIMIT 200
) t -- could also be written `AS t` or anything else you would call it
ORDER BY RAND()
LIMIT 5
| {
"language": "en",
"url": "https://stackoverflow.com/questions/25361158",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Not able to upload/pick images and file attachments in Android 11 device from external storage and other folders except from downloads Hello there,
*
*I have a custom android app that allows uploading of files
(pdf,excel,doc,images).
*I'm able to upload such files from any path on the device until I
was using Android 10. Now my device is upgraded to android 11, and
I am facing uploading issue.
*I am able to pick file attachments from Downloads folder but not
able to pick any attachments from other folders and external
folders on the Andorid 11 device. I am facing this issue in my
physical device as well as on Android Emulator . It will be of
great help if someone helps me out on this issue.
Here is the source code of my Application for reference
MainActivity.java
public void addFiles() {
if (AppUtils.storageInitialCheck(getActivity())) {
AppUtils.storagePermisson(getActivity());
} else {
picupFile(AppUtils.intentSelect.ADD_HOME_WORK_FILE_UPLOAD);
}
}
public void picupFile(int fileUpload) {
Intent intent = new Intent(Intent.ACTION_GET_CONTENT);
intent.setAction(Intent.ACTION_GET_CONTENT);
intent.setType("*/*");
try {
startActivityForResult(
Intent.createChooser(intent, "Select a File to Upload"), fileUpload);
} catch (android.content.ActivityNotFoundException ex) {
// Potentially direct the user to the Market with a Dialog
AppLog.LOGE("Exception");
}
}
@Override
public void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
AppLog.LOGE("onActivityResult() called with: requestCode = [" + requestCode + "], resultCode = [" + resultCode + "], data = [" + data + "]");
if (requestCode == AppStrings.uploadPic.PROFILE_PIC_SELECTION_RESULT) {
if (data != null) {
String path = data.getExtras().getString(AppStrings.uploadPic.selected_image_path);
SelectedPicModel model = new SelectedPicModel();
model.setImage_id("0");
model.setImage_path(path);
selectedPicArrayList.add(model);
AppLog.LOGE("selected_image_path--->" + path);
AppLog.LOGE("onActivityResult:111--> " + AppUtils.getFilesize(path));
adapter.notifyDataSetChanged();
updateAddpicbutton();
}
}
else if (resultCode == Activity.RESULT_OK && requestCode == AppUtils.intentSelect.ADD_HOME_WORK_FILE_UPLOAD) {
String path = "";
try {
Uri uri = data.getData();
if(uri==null)
{
Toast.makeText(getContext(),"URI is NULL",Toast.LENGTH_LONG).show();
}
else {
AppLog.LOGE("URI-------------->"+uri);
}
path = AppUtils.getfilePath(getContext(), uri);
AppLog.LOGE("FILE PATH ---->"+path);
if (path != null) {
SelectedPicModel model = new SelectedPicModel();
model.setImage_id("0");
model.setImage_path(path);
selectedPicArrayList.add(model);
AppLog.LOGE("selected_image_path--->" + path);
AppLog.LOGE("onActivityResult:111--> " + AppUtils.getFilesize(path));
adapter.notifyDataSetChanged();
updateAddpicbutton();
}
} catch (Exception e) {
e.printStackTrace();
}
}
if (requestCode == Appintegers.NotbrdStudentsActivity) {
sendstudeintIds = "";
if (data != null) {
student_array = (ArrayList<StudentsModel>) data.getSerializableExtra(AppStrings.intentData.student_array);
getSelectedIds(student_array);
if (getSelectedNames(student_array).equals("")){
selected_student_tv.setText(getResources().getString(R.string.select_students));
}else {
selected_student_tv.setText(getSelectedNames(student_array));
}
}
}
}
AppUtils.java
public static String getfilePath(final Context context, final Uri uri) {
// DocumentProvider
if (DocumentsContract.isDocumentUri(context, uri)) {
// ExternalStorageProvider
if (isExternalStorageDocument(uri)) {
final String docId = DocumentsContract.getDocumentId(uri);
final String[] split = docId.split(":");
final String type = split[0];
if ("primary".equalsIgnoreCase(type)) {
return Environment.getExternalStorageDirectory() + "/" + split[1];
}
// TODO handle non-primary volumes
}
// DownloadsProviderString[] contentUriPrefixesToTry
else if (isDownloadsDocument(uri)) {
String fileName = getFilePath1(context, uri);
if (fileName != null) {
return Environment.getExternalStorageDirectory().toString()+"/Download/"+fileName;
}
final String id = DocumentsContract.getDocumentId(uri);
String[] contentUriPrefixesToTry = new String[]{
"content://downloads/public_downloads",
"content://downloads/my_downloads",
"content://downloads/all_downloads"
};
for (String contentUriPrefix : contentUriPrefixesToTry) {
Uri contentUri = ContentUris.withAppendedId(Uri.parse(contentUriPrefix), Long.valueOf(id));
AppLog.LOGV("contentUri---->" + contentUri);
try {
String path = getDataColumn(context, contentUri, null, null);
AppLog.LOGV("1.contentUri path---->" + path);
if (path != null) {
AppLog.LOGV("2.contentUri matched path---->" + path);
return path;
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
// MediaProvider
else if (isMediaDocument(uri)) {
final String docId = DocumentsContract.getDocumentId(uri);
final String[] split = docId.split(":");
final String type = split[0];
Uri contentUri = null;
if ("image".equals(type)) {
contentUri = MediaStore.Images.Media.EXTERNAL_CONTENT_URI;
} else if ("video".equals(type)) {
contentUri = MediaStore.Video.Media.EXTERNAL_CONTENT_URI;
} else if ("audio".equals(type)) {
contentUri = MediaStore.Audio.Media.EXTERNAL_CONTENT_URI;
}
final String selection = "_id=?";
final String[] selectionArgs = new String[]{
split[1]
};
return getDataColumn(context, contentUri, selection, selectionArgs);
}
}
// MediaStore (and general)
else if ("content".equalsIgnoreCase(uri.getScheme())) {
return getDataColumn(context, uri, null, null);
}
// File
else if ("file".equalsIgnoreCase(uri.getScheme())) {
return uri.getPath();
}
return null;
}
public static String getDataColumn(Context context, Uri uri, String selection,
String[] selectionArgs) {
Cursor cursor = null;
final String column = "_data";
final String[] projection = {
column
};
try {
cursor = context.getContentResolver().query(uri, projection, selection, selectionArgs,null);
if (cursor != null && cursor.moveToFirst()) {
final int column_index = cursor.getColumnIndexOrThrow(column);
return cursor.getString(column_index);
}
} finally {
if (cursor != null)
cursor.close();
}
return null;
}
*
*If i try to pick file from folders apart from DOWNLOADS or from
external storage the file path i am getting null (Please refer
MainActivity.java code & also mentioned filepath in the AppLog).
It will be great help if someone helps me out on this issue.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/68962247",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: PIXI Check if DisplayObject is added to or removed from stage In PIXI is there a way to know if a DisplayObject is added to or removed from stage. I'm aware of the 'added' and 'removed' events, but they only trigger if the immediate DisplayObject is added to or removed from its parent but not recursively for all its parents.
I need this to toggle dom-elements on and off depending on the visibility of the overall DisplayObject.
Any advise or pointers on this are welcome!
A: I ended up checking the attachment to stage and visibility manually on an interval. Advantage is that it's now also pretty easy to calculate the total alpha if I would ever need that.
private _handleInterval():void {
let addToStage:boolean = false;
let p:PIXI.DisplayObject = this; // 'this' is an extension of a PIXI.Container
while (p != null && p.visible) {
if (p.parent === this.stage) {
addToStage = true;
break;
}
p = p.parent;
}
}
Not the most elegant solution since I would have preferred a pure Pixi solution but it gets the job done :)
If anyone has a better suggestion feel free to post a new answer!
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55965843",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: android webview jquery mobile pageshow not firing on navigating back A strange peculiar thing is happening in Android WebView.The page show is firing only once when the page is first loaded.Then if i navigate to another jquery mobile page and then navigate back.The page show is not invoked.
Desktop version of Firefox,Chrome,IE and IE9 on windows phone, all working fine ,all of them calls the page show ,whenever the page is shown, except android Webview
Am I doing something wrong ?
I am using webview on Android 2.3 Emulator
$(document).off('pageshow', '#HomePage');
$(document).on('pageshow', '#HomePage', getMessage);
function getMessage(evt) {
alert("hi");
}
I have used webview.setWebChromeClient and it displays other alerts fine.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/13340718",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Compilation error with QueryOver and multiple SubQueries I'm getting the following compilation error when I'm using QueryOver with a list of sub queries:
"The type arguments for method 'xxxx' cannot be inferred from the usage. Try specifying the type arguments explicitly."
Here is the code but not sure how I can correct it:
List<QueryOver> subQueries = new List<QueryOver>();
subQueries.Add(QueryOver.Of<Customer>().Where(...));
subQueries.Add(QueryOver.Of<Address>().Where(...));
subQueries.Add(QueryOver.Of<Account>().Where(...));
var query = session.QueryOver<Customer>();
foreach (QueryOver subQuery in subQueries)
{
query.WithSubquery.WhereProperty(c => c.CustomerID)
.In(subQuery); // this is throwing the compilation error
}
var result = query.Select(Projections.RowCount())
.FutureValue<int>()
.Value;
I need to do this programatically as I am generating the subQueries dynamically and don't know how many sub queries there will be. Do I need to use dynamic types or something?
A: I think you can get around this by rewriting things slightly:
foreach (QueryOver subQuery in subQueries)
{
query.Where(
Restrictions.EqProperty(
Projections.Property<Customer>(c => c.CustomerID),
Projections.SubQuery(subQuery.DetachedCriteria)));
}
I don't know enough about your subqueries to say, but you might be able to use a List<QueryOver<Customer>> instead. The issue is that .WithSubquery...In requires a QueryOver<U> where your list is the non-generic base type (QueryOver).
A: I've managed to solve this with a little refactoring. Andrew's response gave me the idea to use .Where() (instead of .WithSubquery) and then use a Conjunction for the sub queries. The refactored code looks like this:
Conjunction conj = new Conjunction();
conj.Add(Subqueries.WhereProperty<Customer>(x => x.CustomerID).In(QueryOver.Of<Customer>()...));
conj.Add(Subqueries.WhereProperty<Customer>(x => x.CustomerID).In(QueryOver.Of<AttributeValue>()...));
conj.Add(Subqueries.WhereProperty<Customer>(x => x.CustomerID).In(QueryOver.Of<CustomerListEntry>()...));
ISession session = sf.OpenSession();
using (var tran = session.BeginTransaction())
{
var query = session.QueryOver<Customer>()
.Where(conj)
.Select(Projections.RowCount())
.FutureValue<int>()
.Value;
tran.Commit();
}
I can now programatically build up and selectively apply the subqueries.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/26381750",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Extracting unsigned char from array of numpy.uint8 I have code to extract a numeric value from a python sequence, and it works well in most cases, but not for a numpy array.
When I try to extract an unsigned char, I do the following
unsigned char val = boost::python::extract<unsigned char>(sequence[n]);
where sequence is any python sequence and n is the index.
I get the following error:
TypeError: No registered converter was able to produce a C++ rvalue of type
unsigned char from this Python object of type numpy.uint8
How can I successfully extract an unsigned char in C++? Do I have to write/register special converters for numpy types? I would rather use the same code that I use for other python sequences, and not have to write special code that uses the PyArrayObject*.
A: One can register a custom from-python converter with Boost.Python that handles conversions from NumPy array scalars, such as numpy.uint8, to C++ scalars, such as unsigned char. A custom from-python converter registration has three parts:
*
*A function that checks if a PyObject is convertible. A return of NULL indicates that the PyObject cannot use the registered converter.
*A construct function that constructs the C++ type from a PyObject. This function will only be called if converter(PyObject) does not return NULL.
*The C++ type that will be constructed.
Extracting the value from the NumPy array scalar requires a few NumPy C API calls:
*
*import_array() must be called within the initialization of an extension module that is going to use the NumPy C API. Depending on how the extension(s) are using the NumPy C API, other requirements for importing may need to occur.
*PyArray_CheckScalar() checks if a PyObject is a NumPy array scalar.
*PyArray_DescrFromScalar() gets the data-type-descriptor object for an array scalar. The data-type-descriptor object contains information about how to interpret the underlying bytes. For example, its type_num data member contains an enum value that corresponds to a C-type.
*PyArray_ScalarAsCtype() can be used to extract the C-type value from a NumPy array scalar.
Here is a complete example demonstrating using a helper class, enable_numpy_scalar_converter, to register specific NumPy array scalars to their corresponding C++ types.
#include <boost/cstdint.hpp>
#include <boost/python.hpp>
#define NPY_NO_DEPRECATED_API NPY_1_7_API_VERSION
#include <numpy/arrayobject.h>
// Mockup functions.
/// @brief Mockup function that will explicitly extract a uint8_t
/// from the Boost.Python object.
boost::uint8_t test_generic_uint8(boost::python::object object)
{
return boost::python::extract<boost::uint8_t>(object)();
}
/// @brief Mockup function that uses automatic conversions for uint8_t.
boost::uint8_t test_specific_uint8(boost::uint8_t value) { return value; }
/// @brief Mokcup function that uses automatic conversions for int32_t.
boost::int32_t test_specific_int32(boost::int32_t value) { return value; }
/// @brief Converter type that enables automatic conversions between NumPy
/// scalars and C++ types.
template <typename T, NPY_TYPES NumPyScalarType>
struct enable_numpy_scalar_converter
{
enable_numpy_scalar_converter()
{
// Required NumPy call in order to use the NumPy C API within another
// extension module.
import_array();
boost::python::converter::registry::push_back(
&convertible,
&construct,
boost::python::type_id<T>());
}
static void* convertible(PyObject* object)
{
// The object is convertible if all of the following are true:
// - is a valid object.
// - is a numpy array scalar.
// - its descriptor type matches the type for this converter.
return (
object && // Valid
PyArray_CheckScalar(object) && // Scalar
PyArray_DescrFromScalar(object)->type_num == NumPyScalarType // Match
)
? object // The Python object can be converted.
: NULL;
}
static void construct(
PyObject* object,
boost::python::converter::rvalue_from_python_stage1_data* data)
{
// Obtain a handle to the memory block that the converter has allocated
// for the C++ type.
namespace python = boost::python;
typedef python::converter::rvalue_from_python_storage<T> storage_type;
void* storage = reinterpret_cast<storage_type*>(data)->storage.bytes;
// Extract the array scalar type directly into the storage.
PyArray_ScalarAsCtype(object, storage);
// Set convertible to indicate success.
data->convertible = storage;
}
};
BOOST_PYTHON_MODULE(example)
{
namespace python = boost::python;
// Enable numpy scalar conversions.
enable_numpy_scalar_converter<boost::uint8_t, NPY_UBYTE>();
enable_numpy_scalar_converter<boost::int32_t, NPY_INT>();
// Expose test functions.
python::def("test_generic_uint8", &test_generic_uint8);
python::def("test_specific_uint8", &test_specific_uint8);
python::def("test_specific_int32", &test_specific_int32);
}
Interactive usage:
>>> import numpy
>>> import example
>>> assert(42 == example.test_generic_uint8(42))
>>> assert(42 == example.test_generic_uint8(numpy.uint8(42)))
>>> assert(42 == example.test_specific_uint8(42))
>>> assert(42 == example.test_specific_uint8(numpy.uint8(42)))
>>> assert(42 == example.test_specific_int32(numpy.int32(42)))
>>> example.test_specific_int32(numpy.int8(42))
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
Boost.Python.ArgumentError: Python argument types in
example.test_specific_int32(numpy.int8)
did not match C++ signature:
test_specific_int32(int)
>>> example.test_generic_uint8(numpy.int8(42))
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: No registered converter was able to produce a C++ rvalue of type
unsigned char from this Python object of type numpy.int8
A few things to note from the interactive usage:
*
*Boost.Python was able to extract boost::uint8_t from both numpy.uint8 and int Python objects.
*The enable_numpy_scalar_converter does not support promotions. For instance, it should be safe for test_specific_int32() to accept a numpy.int8 object that is promoted to a larger scalar type, such as int. If one wishes to perform promotions:
*
*convertible() will need to check for compatible NPY_TYPES
*construct() should use PyArray_CastScalarToCtype() to cast the extracted array scalar value to the desired C++ type.
A: Here's a slightly more generic version of the accepted answer:
https://github.com/stuarteberg/printnum
(The converter is copied from the VIGRA C++/Python bindings.)
The accepted answer points out that it does not support casting between scalar types. This converter will allow implicit conversion between any two scalar types (even, say, int32 to int8, or float32 to uint8). I think that's generally nicer, but there is a slight convenience/safety trade-off made here.
#include <iostream>
#include <boost/python.hpp>
#define NPY_NO_DEPRECATED_API NPY_1_7_API_VERSION
// http://docs.scipy.org/doc/numpy/reference/c-api.array.html#importing-the-api
#define PY_ARRAY_UNIQUE_SYMBOL printnum_cpp_module_PyArray_API
#include <numpy/arrayobject.h>
#include <numpy/arrayscalars.h>
/*
* Boost python converter for numpy scalars, e.g. numpy.uint32(123).
* Enables automatic conversion from numpy.intXX, floatXX
* in python to C++ char, short, int, float, etc.
* When casting from float to int (or wide int to narrow int),
* normal C++ casting rules apply.
*
* Like all boost::python converters, this enables automatic conversion for function args
* exposed via boost::python::def(), as well as values converted via boost::python::extract<>().
*
* Copied from the VIGRA C++ library source code (MIT license).
* http://ukoethe.github.io/vigra
* https://github.com/ukoethe/vigra
*/
template <typename ScalarType>
struct NumpyScalarConverter
{
NumpyScalarConverter()
{
using namespace boost::python;
converter::registry::push_back( &convertible, &construct, type_id<ScalarType>());
}
// Determine if obj_ptr is a supported numpy.number
static void* convertible(PyObject* obj_ptr)
{
if (PyArray_IsScalar(obj_ptr, Float32) ||
PyArray_IsScalar(obj_ptr, Float64) ||
PyArray_IsScalar(obj_ptr, Int8) ||
PyArray_IsScalar(obj_ptr, Int16) ||
PyArray_IsScalar(obj_ptr, Int32) ||
PyArray_IsScalar(obj_ptr, Int64) ||
PyArray_IsScalar(obj_ptr, UInt8) ||
PyArray_IsScalar(obj_ptr, UInt16) ||
PyArray_IsScalar(obj_ptr, UInt32) ||
PyArray_IsScalar(obj_ptr, UInt64))
{
return obj_ptr;
}
return 0;
}
static void construct( PyObject* obj_ptr, boost::python::converter::rvalue_from_python_stage1_data* data)
{
using namespace boost::python;
// Grab pointer to memory into which to construct the C++ scalar
void* storage = ((converter::rvalue_from_python_storage<ScalarType>*) data)->storage.bytes;
// in-place construct the new scalar value
ScalarType * scalar = new (storage) ScalarType;
if (PyArray_IsScalar(obj_ptr, Float32))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Float32);
else if (PyArray_IsScalar(obj_ptr, Float64))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Float64);
else if (PyArray_IsScalar(obj_ptr, Int8))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Int8);
else if (PyArray_IsScalar(obj_ptr, Int16))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Int16);
else if (PyArray_IsScalar(obj_ptr, Int32))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Int32);
else if (PyArray_IsScalar(obj_ptr, Int64))
(*scalar) = PyArrayScalar_VAL(obj_ptr, Int64);
else if (PyArray_IsScalar(obj_ptr, UInt8))
(*scalar) = PyArrayScalar_VAL(obj_ptr, UInt8);
else if (PyArray_IsScalar(obj_ptr, UInt16))
(*scalar) = PyArrayScalar_VAL(obj_ptr, UInt16);
else if (PyArray_IsScalar(obj_ptr, UInt32))
(*scalar) = PyArrayScalar_VAL(obj_ptr, UInt32);
else if (PyArray_IsScalar(obj_ptr, UInt64))
(*scalar) = PyArrayScalar_VAL(obj_ptr, UInt64);
// Stash the memory chunk pointer for later use by boost.python
data->convertible = storage;
}
};
/*
* A silly function to test scalar conversion.
* The first arg tests automatic function argument conversion.
* The second arg is used to demonstrate explicit conversion via boost::python::extract<>()
*/
void print_number( uint32_t number, boost::python::object other_number )
{
using namespace boost::python;
std::cout << "The number is: " << number << std::endl;
std::cout << "The other number is: " << extract<int16_t>(other_number) << std::endl;
}
/*
* Instantiate the python extension module 'printnum'.
*
* Example Python usage:
*
* import numpy as np
* from printnum import print_number
* print_number( np.uint8(123), np.int64(-456) )
*
* ## That prints the following:
* # The number is: 123
* # The other number is: -456
*/
BOOST_PYTHON_MODULE(printnum)
{
using namespace boost::python;
// http://docs.scipy.org/doc/numpy/reference/c-api.array.html#importing-the-api
import_array();
// Register conversion for all scalar types.
NumpyScalarConverter<signed char>();
NumpyScalarConverter<short>();
NumpyScalarConverter<int>();
NumpyScalarConverter<long>();
NumpyScalarConverter<long long>();
NumpyScalarConverter<unsigned char>();
NumpyScalarConverter<unsigned short>();
NumpyScalarConverter<unsigned int>();
NumpyScalarConverter<unsigned long>();
NumpyScalarConverter<unsigned long long>();
NumpyScalarConverter<float>();
NumpyScalarConverter<double>();
// Expose our C++ function as a python function.
def("print_number", &print_number, (arg("number"), arg("other_number")));
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/26595350",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "7"
} |
Q: Need to combine all element values I want to combine the tag element values into single value
Xml I'm having:
<h1>aaa</h1>
<h1>bbb</h1>
<h1>ccc</h1>
XSL I used:
<xsl:template match="h1[h1]">
<h1><xsl:value-of select="h1"/></h1>
</xsl:template>
But I'm currently getting like
<h1>aaa</h1>
<h1>bbb</h1>
<h1>ccc</h1>
But i need to be like:
<h1>aaa bbb ccc</h1>
Please suggest some code. Thanks in advance
A: Your code: <h1><xsl:value-of select="h1"/></h1> is OK, but you wrote it
in a wrong place.
You should use it in a template matching the parent tag (containg h1
tags) and add an empty template for h1, to prevent rendition of original
h1 elements by the identity template.
Look at the following script:
<?xml version="1.0" encoding="UTF-8" ?>
<xsl:transform xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="2.0">
<xsl:output method="xml" encoding="UTF-8" indent="yes" />
<xsl:strip-space elements="*"/>
<xsl:template match="main">
<xsl:copy>
<h1><xsl:value-of select="h1"/></h1>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="h1"/>
<xsl:template match="@*|node()">
<xsl:copy><xsl:apply-templates select="@*|node()"/></xsl:copy>
</xsl:template>
</xsl:transform>
For the input given below:
<main>
<h1>aaa</h1>
<h1>bbb</h1>
<h1>ccc</h1>
<h2>xxx</h2>
</main>
It prints:
<main>
<h1>aaa bbb ccc</h1>
<h2>xxx</h2>
</main>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/45500380",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Pass CollectionView photo to Email Attachment iOS swift I've choose some photo from the photo library and populated into the collectionView. Then my collection view will have some photos inside.
Here is my code for getting the photos into collection view.
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell {
let cell: PhotoCollectionViewCell = collectionView.dequeueReusableCellWithReuseIdentifier("PhotoCell", forIndexPath: indexPath) as! PhotoCollectionViewCell
let asset : PHAsset = self.photoAsset[indexPath.item] as! PHAsset
PHImageManager.defaultManager().requestImageForAsset(asset, targetSize: PHImageManagerMaximumSize, contentMode: .AspectFill, options: nil, resultHandler: {(result, info)in
if let image = result
{
cell.setThumbnailImage(image)
}
})
return cell
}
However, how do I pass all these photo which are located in the collection View to the email attachment? Below code is the email attachment, how do I pass all the photos into this attachment?
let emailTitle = "Email Us"
let messageBody = "Location: \(sendLocation) \n\n \(sendContent)"
let toReceipients = ["[email protected]"]
let mc : MFMailComposeViewController = MFMailComposeViewController()
mc.mailComposeDelegate = self
mc.setSubject(emailTitle)
mc.setMessageBody(messageBody, isHTML: false)
mc.setToRecipients(toReceipients)
self.presentViewController(mc, animated: true, completion: nil)
A: The same way you get the image from the you can get the PHImageManager, you can get all such images and just attach to mail.
Or if you want to attach ALL images, then you can add all the loaded images to an array and attach those to mail like:
let asset : PHAsset = self.photoAsset[indexPath.item] as! PHAsset
PHImageManager.defaultManager().requestImageForAsset(asset, targetSize: PHImageManagerMaximumSize, contentMode: .AspectFill, options: nil, resultHandler: {(result, info)in
if let image = result
{
cell.setThumbnailImage(image)
self.arr.append(image)
}
})
Then add all the images from the arr to mail composer, like
func composeMail() {
let mailComposeVC = MFMailComposeViewController()
for image in arr {
let photoData : NSData = UIImagePNGRepresentation(image)!
mailComposeVC.addAttachmentData(UIImageJPEGRepresentation(photoData, CGFloat(1.0))!, mimeType: "image/jpeg", fileName: "test.jpeg")
}
mailComposeVC.setSubject("Email Subject")
self.presentViewController(mailComposeVC, animated: true, completion: nil)
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/34171854",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: how can i get the current dom after javascripts made changes to the html source with selenium in java? i've read many posts about this, but so far i couldn't find a solution. maybe i am too dumb, in that case, please point it out while beeing nice to me :D
this is my first question i post here, so be nice anyways :D
my problem is, i use selenium to open some websites and click some buttons. after that, i get the page source and parse it with jsoup for some content i need. this works, but there are pages, where i dont get the current dom, but the page source as it was sent first by the server. i can click on the stuff which was added by the javascripts, so selenium knows they are there. but i can't get the whole current html code. so basically, my question is:
how can i get with selenium what is shown when i right click on a page and click view page source? because what i see there differs from what i get when i execute getpagesource() method.
people answered some of the questions with things like: i have to wait, i have to execute the javascript by myself etc...
but this doesn't help me to be honest. the button is there already (because the javascript already added it), i can navigate with selenium and click on it. when i load pagesource, its not there. same with waiting, the javascript processed already, the generated html code is already in his place. and please be patient with me when i mixed something up. im not a web developer, i just started to work on a project and now im stuck. i learned how to use jsoup, i recognized i need to use selenium (btw, i use the firefoxdriver. its fast enough for my purposes and i like to watch what happens when i execute code), i read about javascript but now i really dont have a clue how to proceed.
i didn't add any code, because basically i only use the simple known methods to get the page, click some buttons and get the pagesource. i can add code if it helps.
thanks in advance
| {
"language": "en",
"url": "https://stackoverflow.com/questions/26739630",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: DataDog metrics aren't working for my python application running on lambda I referred to a few docs on DataDog's website and it's still not collecting any metrics and sending them to DataDog. The function executes perfectly and I thought I configured everything correctly but it's not working.
Here's my application code that includes the required modules and the function "wrapper" it mentions to put above my lambda function module
from botocore.vendored import requests
import os
import smtplib
from datetime import datetime
from datadog_lambda.metric import lambda_metric
from datadog_lambda.wrapper import datadog_lambda_wrapper
lat = '33.4483771'
lon = '-112.0740373'
exclude = 'minutely,hourly,alerts'
url = (
'https://api.openweathermap.org/data/2.5/onecall?' +
'lat={lat}&lon={lon}&exclude={exclude}&appid={API_key}&units=imperial'
)
if os.path.isfile('.env'):
from dotenv import load_dotenv
load_dotenv()
def __send_email(msg: str) -> None:
gmail_user = os.getenv('EMAIL_USER')
gmail_password = os.getenv('EMAIL_PASSWORD')
mail_from = gmail_user
mail_to = gmail_user
mail_subject = f'Weather Today {datetime.today().strftime("%m/%d/%Y")}'
mail_message = f'Subject: {mail_subject}\n\n{msg}'
server = smtplib.SMTP('smtp.gmail.com', 587)
server.starttls()
server.login(gmail_user, gmail_password)
server.sendmail(mail_from, mail_to, mail_message)
server.close()
@datadog_lambda_wrapper
def handler(event, context):
response = requests.get(url.format(
lat=lat,
lon=lon,
exclude=exclude,
API_key=os.getenv('WEATHER_API_KEY')
))
data = response.json()
rain_conditions = ['rain', 'thunderstorm', 'drizzle']
snow_conditions = ['snow']
today_weather = data['daily'][0]['weather'][0]['main'].lower()
if today_weather in rain_conditions:
msg = 'Pack an umbrella!'
elif today_weather in snow_conditions:
msg = 'Pack your snow boots!'
else:
msg = 'Clear skies today!'
__send_email(msg)
# submit a custom metric
lambda_metric(
metric_name='coffee_house.order_value',
value=12.45,
tags=['product:latte', 'order:online']
)
handler(None, None)
I created a lambda layer with the correct ARN found from their website
arn:aws:lambda:us-west-2:464622532012:layer:Datadog-Python37:56
I also added a variable for my function called DD_API_KEY as per the docs and used my API key for it. Any help or guidance is greatly appreciated!
Update:
Including function log:
START RequestId: 7370df11-49d7-4759-a8e4-eff2916a620a Version: $LATEST
Traceback (most recent call last):
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/wrapper.py", line 156, in _before
submit_invocations_metric(context)
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/metric.py", line 124, in submit_invocations_metric
submit_enhanced_metric("invocations", lambda_context)
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/metric.py", line 112, in submit_enhanced_metric
tags = get_enhanced_metrics_tags(lambda_context)
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/tags.py", line 87, in get_enhanced_metrics_tags
return parse_lambda_tags_from_arn(lambda_context) + [
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/tags.py", line 37, in parse_lambda_tags_from_arn
split_arn = lambda_context.invoked_function_arn.split(":")
AttributeError: 'NoneType' object has no attribute 'invoked_function_arn'
/opt/python/botocore/vendored/requests/api.py:67: DeprecationWarning: You are using the get() function from 'botocore.vendored.requests'. This is not a public API in botocore and will be removed in the future. Additionally, this version of requests is out of date. We recommend you install the requests package, 'import requests' directly, and use the requests.get() function instead.
DeprecationWarning
Traceback (most recent call last):
File "/opt/python/lib/python3.7/site-packages/datadog_lambda/wrapper.py", line 190, in _after
status_code = extract_http_status_code_tag(self.trigger_tags, self.response)
AttributeError: '_LambdaDecorator' object has no attribute 'trigger_tags'
{"m": "aws.lambda.enhanced.invocations", "v": 1, "e": 1649914335, "t": ["region:us-west-2", "account_id:775362094965", "functionname:DataDog", "resource:DataDog", "cold_start:false", "memorysize:128", "runtime:python3.7", "datadog_lambda:v3.56.0", "dd_lambda_layer:datadog-python37_3.56.0"]}
/opt/python/botocore/vendored/requests/api.py:67: DeprecationWarning: You are using the get() function from 'botocore.vendored.requests'. This is not a public API in botocore and will be removed in the future. Additionally, this version of requests is out of date. We recommend you install the requests package, 'import requests' directly, and use the requests.get() function instead.
DeprecationWarning
END RequestId: 7370df11-49d7-4759-a8e4-eff2916a620a
| {
"language": "en",
"url": "https://stackoverflow.com/questions/71866970",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to add a timestamp for each row inserted using SSIS? I inherited an SSIS project that downloads some files via FTP, unzips them into some weird proprietary format then inserts them into a small datawarehouse. I now need to add a timestamp for each record. I am pretty new to SSIS - but have seen many people use a derived column task for this type of thing.
So far, I've added a datetime2(2) column on the table in the database, added a derived column task and hooked it up to the destination in my package. I check on the destination in the mappings and ensure that it shows up in there and is mapped.
When I execute this package though, I am only seeing NULLS in the timestamp column.
Here is my derived column:
I'm also not sure about when I make changes in packages, do I just need to hit "save" to ensure that when, say, a SQL job runs the package my changes will be executed? There isn't a "publish"/"deploy" type of thing for SSIS packages, right? This is a bit of a side question, but potentially is related as well? I don't know...
A: My answer: don't do this via SSIS if it is a hassle. Add a default of GETDATE() on the new column in the destination table. No need to change the SSIS package this way, guaranteed data in the column each time.
A: I can't think of any reason derived column would not work. That being said, a way to test it could be to add a script component in between that writes to another column in the DB or out to an excel file. To see if it is getting triggered with every record flowing through it.
The script component would be a simple:
Row.ColumnName = DateTime.Now;
This would do the same thing as the derived column albeit with slightly more overhead.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/37321511",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Security considerations when creating a mobile app using PhoneGap I'm a beginner in creating mobile apps with phonegap. I have some doubts on security aspects, when creating a mobile app with phonegap.
*
*I want to create an app that accesses a Web service, e.g. a REST service created using Jersey. Now, am I correct in thinking that a hacker can easily see the security keys/authentication mechanism used, to authenticate the client (on a mobile app) with the server (where REST API is to be used)?
*In general, can a hacker easily access all data being sent by the mobile app (which was created using phonegap)?
*Can a hacker disassemble a phonegap app to obtain original code? Wont he get the native code (e.g. Objective C in case of ios)? Or can he decompile even that into original phonegap code (ie html+js)? How do I prevent my code from being decompiled? Is this scenario the same as for most other languages i.e. hackers with powerful PCs can hack into just about any program/software? Is there some way to prevent this from happening?
A: Allright, first take a deep breath. You are probably not going to like some of my answers but you'll be living with the same issues that we all are.
*
*The best thing to do in this case is to use something like the KeyChain plugin to retrieve your security keys from the native side.
*You can take PhoneGap out of the question because it applies to any situation where you send unencrypted data between a client and server. Anyone can easily listen in using a number of tools including Wireshark or Ethereal. If you need to communicate with a sever it should be done on an encrypted, HTTPS or SSL, connection.
*First I think you are under the mistaken impression that PhoneGap compiles your HTML/JS code into Obj-C. It does not. If the user uncompresses your app they will be able to read your HTML/JS. Also, they'll be able to decompile your Obj-C code as well. This does not take a powerful PC or even an experienced hacker. Pretty much anyone can do it.
My advice to you is not to worry about it. Put your time into creating a truly great app. The people who will pay for it will pay for it. The folks who decompile it would never buy the app no matter what. The more time you take trying to combat the hackers takes away from the time you could use to make your app greater. Also, most anti-hacking measures just make life harder for your actual users so in fact they are counter productive.
A: TLDR -
Consider that you are coding a website and all code ( html and js ) will be visible to user with
Crtl+Shift+i as in browsers
Some points for ensuring maximum security
*
*If your using backend then recheck everything coming from the app
*All attacks possible on websites (XSS, redicting to malacious webistes , cloning webistes, etc are possible )
*All the data sent to the app will finally be available in some js variables / resource files , Since all variables are accessible by hacker so is all the data sent to app EVEN IF YOU ARE USING THE MOST SECURE DATA TRANSMISSION MECHANISMS
*As Simon correctly said in his ans , phonegap or cordova does not convert html / js to native code . Html / Js is available as-it-is
Cordova also explicitly mentions this in their official statement
Do not assume that your source code is secure
Since a Cordova application is built from HTML and JavaScript assets that get packaged in a native container, you should not consider your code to be secure. It is possible to reverse engineer a Cordova application.
5.Mainly all the techniques which are used by websites to prevent their code from being cloned / easily understood are applicable even here (Mainly it includes converting js code into hard to read format - obfuscating code)
6.Comparing native apps with cordova/phonegap apps native apps , I would say that cordova are easier for hacker only because of lack of awareness between cordova developers who do not take enough measures to secure it and lack of readily available(one click ) mechanisms to directly obfuscate the code vs in android proguard
Sample Cordova App Hacking (NOTE:Phonegap also works in similar way)
I'll show an example to show how easy is it for hacker to hack a cordova app(where developer has taken no efforts in obfuscating the code )
basically we start with unzipping the apk files (apks can be unzipped like zip files )
The contents inside will be similar to this
The source code for cordova apps is present in /assets/www/ folder
As you can see all the contents including any databases that you have packed with the app are visible(see last 2 rows have a db file )
Along with it any other resources are also directly visible (text files/js / html/ audio / video / etc)
All the views / controllers are visible and editable too
Further exploring the contents we find a PaymentController.js file
Opening it we can directly see the js code and other comments
here we note that after user performs payment if it is successful then successCallback is called else cancelCallback is called.
Hacker can simply replace the two functions so that when payment is not successful successCallback is called .
In absence of other checks the hacker has successfully bypassed payment.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/10466154",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "13"
} |
Q: Creating and extending objects in javascript overwrites base object's variables I have a basic wrapper for Object.create to be used for our application. Basically the process is to use Object.create on a parent object, then .extend({}) to add new functionality to it. If we need to call a method on the parent class, we just use ParentClass.myFunc.apply(this, arguments); in the method override. The issue I'm having is when I intialize an object and call the init function of the parent object, it overrides the parent' object's properties. How can I prevent this from happening?
Here's the main Object.create wrapper:
/**
* Simple wrapper for Object.create and Object.extend
* functionality.
*/
var My_Object = {
/**
* Simple extend function for inheritance
* @param props An object of functions to place in the new object.
* @returns {My_Object}
*/
extend: function(props) {
for(var prop in props)
this[prop] = props[prop];
return this;
},
/**
* Basic function that checks if a function is native or user-created
* @author Yong (http://stackoverflow.com/users/962254/yong)
*
* @param f The function to test if it is native
* @returns {boolean}
*
* @see http://stackoverflow.com/questions/6598945/detect-if-function-is-native-to-browser
*/
isFuncNative: function(f) {
return !!f && (typeof f).toLowerCase() == 'function'
&& (f === Function.prototype
|| /^\s*function\s*(\b[a-z$_][a-z0-9$_]*\b)*\s*\((|([a-z$_][a-z0-9$_]*)(\s*,[a-z$_][a-z0-9$_]*)*)\)\s*{\s*\[native code\]\s*}\s*$/i.test(String(f)));
},
/**
* Simple polyfill wrapper for native Object.create. Using a polyfill
* instead of native incase for some reason consumer would have overwritten
* it with unexpected usage.
*/
create: function(obj) {
// If the browser supports Object.create and hasn't been overwritten,
// use the native version instead of the polyfill
if(My_Object.isFuncNative(Object.create)) {
// If extend hasn't been defined, add it
if(!obj.hasOwnProperty('extend'))
obj.extend = My_Object.extend;
return Object.create(obj);
}
// Create empty function for polyfill
function F(){}
F.prototype = o;
// If extend hasn't been defined, add it
if(!F.prototype.extend)
F.prototype.extend = My_Object.extend;
return new F()
}
};
Then I define a base object:
var SomeParentObject = {
options: {
a: 'a',
b: 'b'
},
init: function(options) {
this.options = $.extend(this.options, options || {});
return this;
}
};
And some children object:
var ChildObject1 = My_Object.create(SomeParentObject).extend({
init: function() {
SomeParentObject.init.call(this, {b: 'c'});
return this;
}
}).init();
var ChildObject2 = My_Object.create(SomeParentObject).extend({}).init();
Now the desired result is that SomeParentObject's options should never be modified. I can't figure out what exactly is the cause of it, but I'm sure it's something stupid I'm doing. If you do some basic console.logs, you can see that when ChildObject2 has some options to override, it overrides it for SomeParentObject, and therefore for all children.
console.log('<<SomeParentObject.a, SomeParentObject.b>>');
console.log(SomeParentObject.options.a + ', ' + SomeParentObject.options.b);
console.log('<<ChildObject1.a, ChildeObject1.b>>');
console.log(ChildObject1.options.a + ', ' + ChildObject1.options.b);
console.log('<<ChildObject2.a, ChildeObject2.b>>');
console.log(ChildObject2.options.a + ', ' + ChildObject2.options.b);
Which outputs:
<<SomeParentObject.a, SomeParentObject.b>>
a, c
<<ChildObject1.a, ChildeObject1.b>>
a, c
<<ChildObject2.a, ChildeObject2.b>>
a, c
What should be outputted is this:
<<SomeParentObject.a, SomeParentObject.b>>
a, b
<<ChildObject1.a, ChildeObject1.b>>
a, c
<<ChildObject2.a, ChildeObject2.b>>
a, b
A: If you don't like the way prototyping works in JavaScript in order to achieve a simple way of inheritance and OOP, I'd suggest taking a look at this: https://github.com/haroldiedema/joii
It basically allows you to do the following (and more):
// First (bottom level)
var Person = new Class(function() {
this.name = "Unknown Person";
});
// Employee, extend on Person & apply the Role property.
var Employee = new Class({ extends: Person }, function() {
this.name = 'Unknown Employee';
this.role = 'Employee';
this.getValue = function() {
return "Hello World";
}
});
// 3rd level, extend on Employee. Modify existing properties.
var Manager = new Class({ extends: Employee }, function() {
// Overwrite the value of 'role'.
this.role = this.role + ': Manager';
// Class constructor to apply the given 'name' value.
this.__construct = function(name) {
this.name = name;
}
// Parent inheritance & override
this.getValue = function() {
return this.parent.getValue().toUpperCase();
}
});
// And to use the final result:
var myManager = new Manager("John Smith");
console.log( myManager.name ); // John Smith
console.log( myManager.role ); // Manager
console.log( myManager.getValue() ); // HELLO WORLD
| {
"language": "en",
"url": "https://stackoverflow.com/questions/21068234",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: I have problem with the comment font in android studio I want to write a comment with my code in android studio but the font style is not clear,
who can I change it?
pic for the problem
https://imgur.com/Oj8hDro
A: You should be able to change the font in settings
*
*On Windows: File -> Settings
*On Mac: Android Studio -> Preferences
IDE Settings -> Editor -> Colors & Fonts -> Font
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55564411",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Why does not image cleanup policy work in Gitlab? I have following GitLab cleanup policy
I assumed that the images would be cleared. And If would send a get query like
headers = {"PRIVATE-TOKEN": TOKEN}
url = "https://.../api/v4/projects/" + PROJECT_ID + "/registry/repositories"
I had to get something like
"cleanup_policy_started_at": "2020-01-10T15:40:57.391Z"
But instead I receive
cleanup_policy_started_at': None
Why? Should I turn something on?
A: You need to explicitly set the tags to .*
| {
"language": "en",
"url": "https://stackoverflow.com/questions/64658793",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Symfony2 and Doctrine2: High memory usage when querying for object I have two (for this question relevant) Entities which are in a many (certificates) to one (policy) relationship:
*
*Certificate
*Policy
...which basically look like this:
class Policy {
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @ORM\OneToMany(targetEntity="Akm\CertificateBundle\Entity\Certificate", mappedBy="policies")
*/
private $certificates;
/**
* Get template (assuming there is only one
* per policy (which should be the case) and return the Certificate
* object. If (for some reason) there is more than only one template,
* then only the first one will be returned.
*
* @return \Doctrine\Common\Collections\Collection
*/
public function getTemplate() {
$certificates = $this->getCertificates();
foreach($certificates as $cert) {
if ($cert->getIsTemplate()) {
return $cert;
}
}
return false;
}
}
and:
class Certificate {
/**
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @ORM\Column(type="boolean", nullable=false)
*/
private $isTemplate;
/**
* @ORM\ManyToOne(targetEntity="Akm\CertificateBundle\Entity\Policy", inversedBy="certificates")
* @ORM\JoinColumn(name="policy_id", referencedColumnName="id", nullable=true)
*/
private $policies;
}
(and of course the corresponding getters and setter, auto-generated by doctrine) The problem with this approach is, that if I call a controller, which itself calls the removeTemplate()-function, I get a Allowed memory size of 134217728 bytes exhausted (tried to allocate [...] bytes) in [...]; I think, that the problem is the foreach-loop, which fetches the certificate object and tests its property isTemplate. Because the certificate-objects are quite large, this results in too high memory usage (resulting in a error message) if there are about 80 certificates or more.
Now I wonder, how I could solve this problem. I had two ideas / approaches, which didn't work as expected.
The first one was to unset() the $cert-variable as soon as I know, that I don't need it anymore:
public function getTemplate() {
$certificates = $this->getCertificates();
foreach($certificates as $cert) {
if ($cert->getIsTemplate()) {
return $cert;
} else {
unset($cert);
}
}
return false;
}
However, this didn't change anything, the controller still used the same amount of memory.
So I thought about just replacing all calls of the getTemplate()-function inside the controllers with the following (where the $pol-variable is an object of the Policy-entity):
$template = $cert_repository->findBy(
array('isTemplate' => true),
array('policies' => $pol->getId());
(I used the $pol->getId() instead of just the Policy-object because of this StackOverflow-answer)
The problem with this approach is, that I always get a Unrecognized field: policies-error and I don't know why.
I hope that someone can help me to get one of these approaches working (I would prefer the first one, because I don't have to change anything in the controllers then).
Thanks in advance,
katze_sonne
A: Two solutions:
*
*You could paginate your results
*You could hydrate your results into arrays
You could do something like this
$query = $this->cert_repository
->createQueryBuilder('p')
->select(array('p'))
->where('p.isTemplate = :isTemplate')->setParameter('isTemplate', true)
->andWhere('p.policies = :policies')->setParameter('policies', $pol->getId())
->getQuery()
->setFirstResult($offset)
->setMaxResults($limit);
return $query->getArrayResult();
Basically, when Doctrine hydrates objects, it keeps reference of the object's data into memory and using the function unset will not free the memory, however hydrating the objects into arrays lets you use the function unset.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19499046",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Laravel: Unknown column 'ìtem_size_id' in hasManyThrough relationship I'm trying to build my own e-commerce shop as training with laravel, I set up a hasManyThrough relationship with models Item, ItemOption,ItemSize and ItemColor. Isssue arises when I seed my database with dummy data, I get the following error:
SQLSTATE[42S22]: Column not found: 1054 Unknown column 'ìtem_size_id' in 'field list' (SQL: insert into `item_options` (`item_id`, `item_color_id`, `ìtem_size_id`, `stock`) values (1, 1, 1, 10))
This is the seed file where error happens:
<?php
use Illuminate\Database\Seeder;
use Carbon\Carbon;
class ItemOptionsSeeder extends Seeder
{
public function run()
{
//blancas
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 1, 'ìtem_size_id' => 1, 'stock' => 10 ]);
//negras
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 2, 'ìtem_size_id' => 2, 'stock' => 10 ]);
//rojas
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 3, 'ìtem_size_id' => 3, 'stock' => 10 ]);
//verdes
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 4, 'ìtem_size_id' => 4, 'stock' => 10 ]);
}
}
I think I set up relationships and models correctly and I can't seem to find what's wrong with my code, let's start with My models and then migrations:
Models:
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Item extends Model
{
protected $table = 'items';
public function options()
{
return $this->hasMany(ItemOption::class);
}
public function sizes()
{
return $this->hasManyThrough(ItemSize::class, ItemOption::class, 'item_size_id', 'id');
}
public function colors()
{
return $this->hasManyThrough(ItemColor::class, ItemOption::class, 'item_color_id', 'id');
}
}
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class ItemOption extends Model
{
protected $fillable = ['item_id', 'item_color_id', 'item_size_id', 'stock'];
public function item()
{
return $this->belongsTo('App\Models\Item', 'item_id');
}
public function color()
{
return $this->belongsTo('App\Models\ItemColor', 'item_color_id');
}
public function size()
{
return $this->belongsTo('App\Models\ItemSize', 'item_size_id');
}
}
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class ItemSize extends Model
{
protected $table = 'item_sizes';
}
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class ItemColor extends Model
{
protected $table = 'item_colors';
}
And migrations:
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class ItemOptions extends Migration
{
public function up()
{
Schema::create('item_options', function (Blueprint $table) {
$table->increments('id');
$table->unsignedInteger('item_id')->index()->nullable();
$table->foreign('item_id')->references('id')->on('items')->nullable();
$table->unsignedInteger('item_size_id')->index()->nullable();
$table->foreign('item_size_id')->references('id')->on('item_sizes')->nullable();
$table->unsignedInteger('item_color_id')->index()->nullable();
$table->foreign('item_color_id')->references('id')->on('item_colors')->nullable();
$table->integer('stock');
$table->timestamps();
});
}
public function down()
{
DB::statement('SET FOREIGN_KEY_CHECKS = 0');
Schema::dropIfExists('item_options');
DB::statement('SET FOREIGN_KEY_CHECKS = 1');
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class Items extends Migration
{
public function up()
{
Schema::create('items', function (Blueprint $table) {
$table->increments('id');
$table->string('image')->nullable();
$table->string('title');
$table->string('url')->unique();
$table->string('slug')->unique();
$table->text('body');
$table->decimal('finalPrice', 5,2);
$table->boolean('isVisible')->default(false);
$table->boolean('isFeatured')->default(false);
$table->boolean('beenPublished')->default(false);
$table->boolean('scheduleForMail')->default(false);
$table->timestamps();
});
}
public function down()
{
DB::statement('SET FOREIGN_KEY_CHECKS = 0');
Schema::dropIfExists('items');
DB::statement('SET FOREIGN_KEY_CHECKS = 1');
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class ItemSizes extends Migration
{
public function up()
{
Schema::create('item_sizes', function (Blueprint $table) {
$table->increments('id');
$table->string('title');
$table->timestamps();
});
}
public function down()
{
DB::statement('SET FOREIGN_KEY_CHECKS = 0');
Schema::dropIfExists('item_sizes');
DB::statement('SET FOREIGN_KEY_CHECKS = 1');
}
}
<?php
use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class ItemColors extends Migration
{
public function up()
{
Schema::create('item_colors', function (Blueprint $table) {
$table->increments('id');
$table->string('title');
$table->string('colorCode');
$table->timestamps();
});
}
public function down()
{
DB::statement('SET FOREIGN_KEY_CHECKS = 0');
Schema::dropIfExists('item_colors');
DB::statement('SET FOREIGN_KEY_CHECKS = 1');
}
}
Any idea what I did wrong?
A: I hope this help.
after I look at your code I see your miss spelling on your DBSeed.
just change 'ìtem_size_id' => 'item_size_id'. it will fixed.
Hope it help. thanks
A: use item_size_id instead of using ìtem_size_id
because your databse field name is item_size_id
so just change it
use Illuminate\Database\Seeder;
use Carbon\Carbon;
class ItemOptionsSeeder extends Seeder
{
public function run()
{
//blancas
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 1, 'item_size_id' => 1, 'stock' => 10 ]);
//negras
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 2, 'item_size_id' => 2, 'stock' => 10 ]);
//rojas
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 3, 'item_size_id' => 3, 'stock' => 10 ]);
//verdes
DB::table('item_options')->insert([ 'item_id' => 1, 'item_color_id' => 4, 'item_size_id' => 4, 'stock' => 10 ]);
}
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/60387711",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Why do we use static with array of pointers? Why do we use static with array of pointers? What is the relation between static and array of pointers?
For example:
int main()
{
int a[]={1,2,3};
int *p[]={a,a+1,a+2};
......
return 0;
}
This code shows illegal initialization - why? Whereas the following code works:
int main()
{
static int a[]={1,2,3};
static int *p[]={a,a+1,a+2};
...
return 0;
}
A: In C89 (the original "ANSI C"), values used in initialiser lists must be "constant expressions". One type of constant expression is an address constant, and a pointer to an object with static storage duration is an address constant.
However, a pointer to an object with automatic storage duration is not an address constant (its value is not known at compile-time), so it cannot be used in an initialiser list.
You only need to make the array a have static storage duration - the following will work too:
main()
{
static int a[]={1,2,3};
int *p[]={a,a+1,a+2};
......
}
C99 has relaxed this restriction for initialisers for objects that have automatic storage duration (which is why gcc is OK with it).
Why is it so? Initialiser lists are typically used for initialising potentially large objects, like arrays or structures. Objects with automatic storage duration must be initialised anew each time the function is entered, and the C89 rules allow compiler writes to do this initialisation by emitting a simple memcpy() call (using as source a static "template", which corresponds to the initialiser list). Under the C99 rules, the compiler potentially has to emit an arbitrarily complicated block of initialisation code.
A: With Visual C, the code works. However, it generates a level 4 warning C4204, meaning they consider this is a Microsoft-specific extension to the C-standard. As caf and AndreyT said, it is not part of the C standard to allow this.
EDIT: With C standard I mean C89.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/2657493",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: XAML touch events don't work I'm developing windows8.1 game with c++ (DirectX and XAML App). And I have discovered few problems with handling touches in my game. I'm using these event handlers to detect user touches/clicks.
// The CoreIndependentInputSource will raise pointer events for the specified device types on whichever thread it's created on.
m_coreInput = swapChainPanel->CreateCoreIndependentInputSource(
Windows::UI::Core::CoreInputDeviceTypes::Mouse |
Windows::UI::Core::CoreInputDeviceTypes::Touch |
Windows::UI::Core::CoreInputDeviceTypes::Pen
);
// Register for pointer events, which will be raised on the background thread.
m_coreInput->PointerPressed += ref new TypedEventHandler<Object^, PointerEventArgs^>(this, &OpenGLESPage::OnPointerPressed);
m_coreInput->PointerMoved += ref new TypedEventHandler<Object^, PointerEventArgs^>(this, &OpenGLESPage::OnPointerMoved);
m_coreInput->PointerReleased += ref new TypedEventHandler<Object^, PointerEventArgs^>(this, &OpenGLESPage::OnPointerReleased);
....
void OpenGLESPage::OnPointerReleased(Platform::Object^ sender, PointerEventArgs^ e)
{
e->Handled = true;
Windows::UI::Input::PointerPoint ^ point = e->CurrentPoint;
....
}
If I press single mouse button - everything works fine, all events will be fired - press, move, release. But if I perform this combination - events won't be fired properly.
*
*press left mouse button -> Debug: left pressed
*press right mouse button -> ??? Debug: moved
*release left mouse button -> ??? Debug: moved
*release right mouse button -> Debug: right released
What I missed? How can I get working all handlers properly?
A: (Duplicated from https://social.msdn.microsoft.com/Forums/windowsapps/en-US/6ce9be89-8b14-46fa-b3d5-622bef0adb81/xaml-touch-events-dont-work-properly?forum=winappswithnativecode )
That sounds like correct behaviour. The mouse is a single pointer, not separate pointers for the separate buttons. So long as any button is down the pointer is pressed, and you can check the state to see which buttons are down.
If you can explain what you are actually trying to do we may be able to provide more directed help. I suspect you'll be best off looking at the pointer state in your update loop rather than waiting for pointer events, but it depends on the ultimate goal.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/28109714",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to create a slide switch using jetpack compose? I want to create this type of slid switch using jetpack compose but I don't know how to do it can anyone help me with it? it will toggle between this 2 option
A: You can use TabRow like this:
val items = (0..1)
var activeTabIndex by remember { mutableStateOf(0) }
TabRow(
selectedTabIndex = activeTabIndex, backgroundColor = Color.Transparent,
indicator = {
Box(
Modifier
.tabIndicatorOffset(it[activeTabIndex])
.fillMaxSize()
.background(color = Color.Cyan)
.zIndex(-1F)
)
},
) {
items.mapIndexed { i, item ->
Tab(selected = activeTabIndex == i, onClick = { activeTabIndex = i }) {
Icon(
painter = painterResource(id = someIcon),
contentDescription = null,
tint = Color.Black,
modifier = Modifier.padding(vertical = 20.dp)
)
}
}
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/71428563",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Uploading metadata to IPFS using Pinata API for NFTs I'm having an issue uploading my metadata to Pinata via their API. I've tried it in a test file and it works perfectly, but in my larger file, it's throwing an error. This is my Upload function below. I think the issue is when upload(metadata) calls createFile(data) it's saying that fs.writeFile is not a function (when I test that function directly). But for now the console.log(filehash) is logging undefined.
My guess is that I'll need to use the npm path module to solve this issue. But I'm not familiar with how to use it/how it works. But after console logging everywhere I could think of, the hangup seems to occur where the createFile is called. The file isn't being saved to the 'metadata' folder, so the upload function doesn't send the data to the API. Pinata authentication shows 'true' with no issues.
Upload.js:
const fs = require('fs')
const path = require('path')
const pinataSDK = require('@pinata/sdk')
require('dotenv').config()
const pinata = pinataSDK(
'0bb............e3',
'a0ad52...............446f79a0be'
)
const createFile = (data) => {
const jsonString = JSON.stringify(data)
fs.writeFile(`./metadata/${data.publishingHistory}.json`,
jsonString,
(err) => {
if (err) {
console.log('Error writing file', err)
} else {
console.log('metadata file created successfully')
}
}
)
}
export const upload = async (metadata) => {
try {
const isAuth = await pinata.testAuthentication()
console.log(isAuth)
createFile(metadata)
const ipfsTransfer = await pinata.pinFileToIPFS(fs.createReadStream(`./metadata/${metadata.publishingHistory}.json`))
const filehash = `https://gateway.pinata.cloud/ipfs/${ipfsTransfer.IpfsHash}`
console.log(filehash)
return filehash
} catch (error) {}
}
My mintArtwork function:
const mintArtwork = async (data) => {
console.log(data)
const hashUrl = await upload(data)
console.log(hashUrl)
}
BTW, as you can see from my mintArtwork() function, there's no Web3 contract integration as of yet. One thing at a time. Just trying to get my ipfs to successfully connect to the Pinata API.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/70249699",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Why is there an additional copy of a DLL when deploying a BizTalk application? If I deploy a BizTalk application from within Visual Studio using the "Deploy Solution" menu option, the DLL goes into the GAC.
But if I create a MSI by using the BizTalk admin console, remove all traces of the application and DLL, and then import and install via MSI, there is a copy in the GAC, and another copy in the selected install directory.
The excellent post ... In BizTalk why is an MSI file both imported and installed? ... details why there is the two steps to both import and install the MSI, but not why there is the additional copy of the DLL.
So why is there the second copy of the DLL?
A: The technical answer is because you have both an "Add to the global assembly cache ..." option checked and the Destination location option set on the Resource's properties in BizTalk Administrator.
The first puts a copy in the GAC. The second puts a copy in the install folder.
If you don't want the copy in the install folder, set Destination location to blank.
Why does it default this way? It's pretty much a standard .Net practice. BizTalk itself installed a lot of assemblies on both Program Files and the GAC. Some though are GAC only, I don't know the exact reason.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/23388133",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to replace all values in a data.frame using forcats::fct_explicit_na()? I have a data frame with 19 variables, 17 of which are factors. Some of these factors contain missing values, coded as NA. I would like to recode missings as a separate factor level "to_impute" using forcats::fct_explicit_na() for all factors in the data frame.
A small example with two factor variables:
df <- structure(list(loc_len = structure(c(NA, NA, NA, NA, NA, NA,
1L, 1L, 3L, 1L), .Label = c("No", "< 5 sec", "5 sec - < 1 min",
"1 - 5 min", "> 5 min", "Unknown duration"), class = "factor"),
AMS = structure(c(1L, 2L, NA, 1L, 1L, NA, NA, NA, NA, NA), .Label = c("No",
"Yes"), class = "factor")), .Names = c("loc_len", "AMS"), row.names = c(NA,
-10L), class = c("tbl_df", "tbl", "data.frame"))
table(df$loc_len, useNA = "always")
No < 5 sec 5 sec - < 1 min 1 - 5 min > 5 min Unknown duration <NA>
3 0 1 0 0 0 6
The code below does this for two variables. I'd like to do this for all factor variables 'f_names' in the data frame. Is there a way to 'vectorize' fct_explicit_na()?
f_names <- names(Filter(is.factor, df))
f_names
[1] "loc_len" "AMS"
The code below does what I want, but separately for each factor:
df_new <- df %>%
mutate(loc_len = fct_explicit_na(loc_len, na_level = "to_impute")) %>%
mutate(AMS = fct_explicit_na(AMS, na_level = "to_impute"))
I'd like tables of this sort for all factors in the dataset, names in 'f_names' :
lapply(df_new, function(x) data.frame(table(x, useNA = "always")))
Now is:
$loc_len
x Freq
1 No 3
2 < 5 sec 0
3 5 sec - < 1 min 1
4 1 - 5 min 0
5 > 5 min 0
6 Unknown duration 0
7 to_impute 6
8 <NA> 0
$AMS
x Freq
1 No 3
2 Yes 1
3 to_impute 6
4 <NA> 0
A: Even better, the elegant and idiomatic solution provided by:
https://github.com/tidyverse/forcats/issues/122
library(dplyr)
df = df %>% mutate_if(is.factor,
fct_explicit_na,
na_level = "to_impute")
A: After some trial and error, the code below does what I want.
library(tidyverse)
df[, f_names] <- lapply(df[, f_names], function(x) fct_explicit_na(x, na_level = "to_impute")) %>% as.data.frame
| {
"language": "en",
"url": "https://stackoverflow.com/questions/49338118",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Update PWA icon on android I created a React PWA app and I thought how would my icon update on the home screen if I already added a first version ?
I tried to update the manifest but nothing changed.
Any idea?
A: Changes aren't reflected immediately. In most cases, changes should be reflected within a day or two of the PWA being launched, after the manifest has been updated.
When the PWA is launched, Chrome determines the last time the local manifest was checked for changes. If the manifest hasn't been checked in the last 24 hours, Chrome will schedule a network request for the manifest, then compare it against the local copy.
If select properties in the manifest have changed, Chrome queues the new manifest, and after all windows of the PWA have been closed, the device is plugged in, and connected to WiFi, Chrome requests an updated WebAPK from the server. Once updated, all fields from the new manifest are used.
Full details are at https://web.dev/manifest-updates/
| {
"language": "en",
"url": "https://stackoverflow.com/questions/50628962",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "5"
} |
Q: What can I do when avoiding overdrawing conflicted with batch rendering in OpenGL? Say, I have some render units sorted in distance from camera order.
Such as ru0, ru1, ru2, ru3, ru4, ru5....The purpose of doing this is to avoid overdrawing by z depth test.
But, in batch rendering view, this is a kind of wast.
Assume, ru1, ru3, ru5 have same render state(same opengl state, and same shader program), So they should be batched and render in one time.
But, this is not Avoiding overdrawing want me to do.
So, my question is, is this a problem based on specific scenario(such as in some case, the overdrawing's consuming time is not more than opengl state changing's consuming) or there is another way to solve this problem?
NOTE, all my render units are opaque, so I am not taking transparent unit into account here.
A: Modern hardware is very likely to implement "Early z-test", i.e. performing depth test before fragment (pixel) shader is run. Alternatively, it is implementable by hand.
So, it is likely more beneficial to sort by state, unless you have transparency issues. In the latter case you may want to look into "Order-independent transparency".
In any case, trust no one. Measure (profile) and compare before optimizing anything.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/44405539",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: PHP request isn't get value I have a slider which one is in a tag. I want to put the slider's to a database.
In the "index.php":
<form class="" action="insert.php" method="$_POST">
<input type="range" min="1" max="10" value="5" class="slider" id="myRange" name="myrange">
<p>Value: <span id="demo"></span></p>
<button id="btn1">Click Here</button>
</form>
and in the insert.php:
<?php
$getRangeValue = $_GET['myRange'];
$mysqli = new mysqli("localhost","root","passwd","table_name");
//
// Check connection
if ($mysqli -> connect_errno) {
echo "Failed to connect to MySQL: " . $mysqli -> connect_error;
exit();
}
$mysqli -> query("INSERT INTO ertekek (RangeValue, anotherValue) VALUES ($getRangeValue, 11)");
echo "New record has id: " . $mysqli -> insert_id;
$mysqli -> close();
?>
The url: "http://localhost/insert.php?myrange=10"
Its running, and it generate a row, but the row is totaly empty... so i don't know what's going on...
A: The correct code:
<form class="" action="insert.php" method="POST">
<input type="range" min="1" max="10" value="5" class="slider" id="myRange" name="myrange">
<p>Value: <span id="demo"></span></p>
<button id="btn1">Click Here</button>
</form>
and in the insert.php:
<?php
$getRangeValue = $_POST['myrange'];
$mysqli = new mysqli("localhost","root","passwd","table_name");
//
// Check connection
if ($mysqli -> connect_errno) {
echo "Failed to connect to MySQL: " . $mysqli -> connect_error;
exit();
}
$query = $mysqli->prepare("INSERT INTO ertekek (RangeValue, anotherValue) VALUES (?, 11)");
$query->bind_param('i',$getRangeValue);
$query->execute();
echo "New record has id: " . $mysqli -> insert_id;
$mysqli -> close();
?>
What have I changed?
*
*I changed the method method="POST" instead of method="$_POST"
*Change GET to POST on variable $getRangeValue
*Using prepare statment instead of simple and not secure query
Link that I recommend you to read
*
*What is the difference between POST and GET?
*How can I prevent SQL injection in PHP?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/66651650",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-2"
} |
Q: Alternatives for PHP / cURL Cookies? Are there any alternatives with PHP / cURL without cookies cache on the server like using a .txt file in the cURL Options CURLOPT_COOKIEJAR and CURLOPT_COOKIEFILE?
I tried to read the cookies from the HTTP header of the CURL session and to set them manually to avoid a server-side store here for the CURL session.
A: You can just set the headers directly.
$cookies = array(
'somekey' => 'somevalue'
);
$endpoint = 'https://example.org';
$requestMethod = 'POST';
$timeout = 30;
$headers = array(
sprintf('Cookie: %s', http_build_query($cookies, null, '; '))
);
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $endpoint);
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
curl_setopt($ch, CURLOPT_MAXREDIRS, 10);
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, true); // you may need to make this false depending on the servers certificate
curl_setopt($ch, CURLOPT_CUSTOMREQUEST, $requestMethod);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
curl_setopt($ch, CURLOPT_HEADER, 1);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_FAILONERROR, false);
curl_setopt($ch, CURLOPT_TIMEOUT, $timeout);
$response = curl_exec($ch);
list($header, $body) = explode("\r\n\r\n", $response, 2);
// now all the headers from your request will be available in $header
| {
"language": "en",
"url": "https://stackoverflow.com/questions/30980235",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: How should we prevent XSS attacks that *only* break page rendering? Suppose we have a form that allows entering a piece of markdown as a message body. That text is then render in HTML as JSON on another page:
<html>
<body>
<script type="text/javascript">
loadMessage({
name: 'John Doe',
message: '**Hello** World'
});
</script>
</body>
</html>
Pretend that loadMessage uses a markdown parser (e.g. marked) and outputs the HTML at runtime.
I've identified a case where a malicious user could cause an error on the page:
<html>
<body>
<script type="text/javascript">
loadMessage({
name: 'John Doe',
message: '</script>'
});
</script>
</body>
</html>
Because </script> causes the browser to close the script block, an Unexpected token ILLEGAL exception is thrown. Marked is able to sanitize such an attack, but this attack is even before JavaScript execution.
*
*Strip all <script> and </script> when the initial form is submitted. This would mean updating a lot of our framework code (using ASP.NET MVC - so we'd have to extend the default ModelBinder).
*Leverage the JSON formatter for this - convert to '</' + 'script>' when writing the JSON. We'd be keeping the source intact - but maybe that's a bad thing.
How should we mitigate such an attack?
A: I might personally go along with stripping anything resembling the script tag, as such an approach would provide an extra layer of security against validation bugs in your Markdown parser. But your mileage may vary depending on your application.
If you do need to encode, see https://stackoverflow.com/a/236106/131903 for a reasonable encoding approach (that is, use \x3c to replace the less-than sign). This will work:
<html>
<script>
alert("1 \x3c/script> 2");
</script>
</html>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/16026755",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: SQL Query to count the number of each element in an object I have a database table like this:
Room Name || Animal
----------------------------
Room1 || Cat
Room1 || Dog
Room1 || Dog
Room2 || Cat
Room2 || Cat
Room2 || Dog
Room2 || Dog
I want to read this table with a SQL query and as result I want to count the number of each animal in the room:
Room1: 1 cat 2 dog
Room2: 2 cats 2 dog
(The output format doesn't matter)
Is there a SQL query that can help? Or should I read the whole table and filter it programatically?
Thank you for any help
A: SELECT [Room Name], [Animal], COUNT(*) FROM TableName GROUP BY [Room Name], [Animal]
This would return
Room 1 | Cat | 1
Room 1 | Dog | 2
Room 2 | Cat | 2
Room 2 | Dog | 2
A: select room_name, animal, count(*)
from table
group by room_name, animal
| {
"language": "en",
"url": "https://stackoverflow.com/questions/7496097",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Reflection.Emit.ILGenerator Exception Handling "Leave" instruction First, some background info:
I am making a compiler for a school project. It is already working, and I'm expending a lot of effort to bug fix and/or optimize it. I've recently run into a problem with is that I discovered that the ILGenerator object generates an extra leave instruction when you call any of the following member methods:
BeginCatchBlock()
BeginExceptFilterBlock()
BeginFaultBlock()
BeginFinallyBlock()
EndExceptionBlock()
So, you start a try statement with a call to BeginExceptionBlock(), add a couple of catch clauses with BeginCatchBlock(), possibly add a finally clause with BeginFinallyBlock(), and then end the protected code region with EndExceptionBlock().
The methods I listed automatically generate a leave instruction branching to the first instruction after the try statement. I don't want these, for two reasons. One, because it always generates an unoptimized leave instruction, rather than a leave.s instruction, even when it's branching just two bytes away. And two, because you can't control where the leave instruction goes.
So, if you wanted to branch to some other location in your code, you have to add a compiler-generated local variable, set it depending on where you want to go inside of the try statement, let EndExceptionBlock() auto-generate the leave instruction, and then generate a switch statement below the try block. OR, you could just emit a leave or leave.s instruction yourself, before calling one of the previous methods, resulting in an ugly and unreachable extra 5 bytes, like so:
L_00ca: leave.s L_00e5
L_00cc: leave L_00d1
Both of these options are unacceptable to me. Is there any way to either prevent the automatic generation of leave instructions, or else any other way to specify protected regions rather than using these methods (which are extremely annoying and practically undocumented)?
EDIT
Note: the C# compiler itself does this, so it's not as if there is a good reason to force it on us. For example, if you have .NET 4.5 beta, disassemble the following code and check their implementation: (exception block added internally)
public static async Task<bool> TestAsync(int ms)
{
var local = ms / 1000;
Console.WriteLine("In async call, before await " + local.ToString() + "-second delay.");
await System.Threading.Tasks.Task.Delay(ms);
Console.WriteLine("In async call, after await " + local.ToString() + "-second delay.");
Console.WriteLine();
Console.WriteLine("Press any key to continue.");
Console.ReadKey(false);
return true;
}
A: As far as I can tell, you cannot do this in .NET 4.0. The only way to create a method body without using ILGenerator is by using MethodBuilder.CreateMethodBody, but that does not allow you to set exception handling info. And ILGenerator forces the leave instruction you're asking about.
However, if .NET 4.5 is an option for you (it seems to be), take a look at MethodBuilder.SetMethodBody. This allows you to create the IL yourself, but still pass through exception handling information. You can wrap this in a custom ILGenerator-like class of your own, with Emit methods taking an OpCode argument, and reading OpCode.Size and OpCode.Value to get the corresponding bytes.
And of course there's always Mono.Cecil, but that probably requires more extensive changes to code you've already written.
Edit: you appear to have already figured this out yourself, but you left this question open. You can post answers to your own questions and accept them, if you've figured it out on your own. This would have let me know I shouldn't have wasted time searching, and which would have let other people with the same question know what to do.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/9642512",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "10"
} |
Q: Is there a reason behind this weird noise in GAN generated images? When training a GAN to generate images of faces (with the celebrity faces dataset from keggle), I keep on getting ok-ish looking faces, but this very weird noise that looks like fire (and makes the generated faces look unnervingly demonic). An example of the result can be found here. The same phenomenon has appeared all three times I've tried to train it, so I was wondering if anyone knew of a reason why such a specific- and weird - type of noise would keep appearing? Asking mostly out of curiosity about what's going on- since I'm a total beginner if the way of mitigating the effect is really complicated don't worry about trying to explain how to fix it.
Thanks!
| {
"language": "en",
"url": "https://stackoverflow.com/questions/60762541",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: clean html a string by element id using php as you can see by the subject am looking for a tool for cleaning up a HTML string in php using a HTML id property, example:
According to the following PHP string I wish to clean the HTML erasing the black11
$test = '
<div id="block1">
<div id="block11">Hello1 <span>more html here...</span></div>
<div id="block12">Hello2 <span>more html here...</span></div>
</div>
<div id="block2"></div>
';
Will became
$test = '
<div id="block1">
<div id="block12">Hello2 <span>more html here...</span></div>
</div>
<div id="block2"></div>
';
I already tried the tool from htmlpurifier.org and can't get the desirable result. Only thing I achieved was removing elements by tag; erasing id; erasing class.
Is there any simple way to achieve this using purifier or other?
Thanks in advance,
A: As a general solution for manipulating HTML data, I would recommend :
*
*Loading it to a DOM document : DOMDocument::loadHTML
*Manipulating the DOM
*
*For example, here, you'll probably use DOMDocument::getElementById
*and DOMNode::removeChild
*Get the new HTML string, with DOMDocument::saveHTML
Note : it'll add some tags arround your HTML, as DOMDocument::saveHTML generates the HTML that corresponds to a full HTML Document :-(
A couple of str_replace to remove those might be OK, I suppose... It's not the hardest part of the work, and should work fine.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/2723964",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Using Ionic (angular).Unable to access Hardware back button of mobile devices which have buttons inside the display/screen I am facing a problem when I trying to access hardware back button so that I can produce an alert message to the user before the app get closed.
Initially I was unable to do , so I raised a question on stack overflow (link of the question) and with the help of the answers I almost solved my problem until I observed on some particular devices I unable to access the back button.
Noticing those devices which has back button inside the display (I think we can call this type of buttons as soft back button ) in those device I unable to produce alert box,to be more precise unable to access the back button.
But If I touch on the screen and than press the button, it is working fine . basically if someone just launch the app and presses the back button the app gets exit.
It is very difficult for me to write and produce my issue properly, therefore I am sharing a link of video please watch and try to understand and ask for any clarification
Link-1, The type of devices on which alert is not working
Link-2 On this type devices working fine
A: When you are in the app on another screen and press back button that time you go to the back screen. and when your screen is home or login, and that time within two seconds you press twice the time back button app is closed.
public astTimeBackPress = 0;
public timePeriodToExit = 2000;
constructor(
public toastController: ToastController,
private platform: Platform,
private nav: NavController,
private router: Router,
) { }
handleBackButton() {
this.platform.backButton.subscribe(() => {
if (this.loaderOff) {
document.addEventListener(
'backbutton',
() => {},
false);
} else {
if (
this.router.url === '/tabs/home' ||
this.router.url === '/signin'
) {
if (new Date().getTime() - this.lastTimeBackPress < this.timePeriodToExit) {
navigator['app'].exitApp();
} else {
this.presentToast('Press again to exit');
this.lastTimeBackPress = new Date().getTime();
}
} else {
this.nav.back();
}
}
});
}
async presentToast(msg, color = 'dark') {
const toast = await this.toastController.create({
color,
message: msg,
duration: 3000,
showCloseButton: true,
closeButtonText: 'Close',
});
toast.present();
}
A: public void callAlert(){
AlertDialog.Builder builder1 = new AlertDialog.Builder(appCompatActivity);
builder1.setMessage("Do you want to close.");
builder1.setCancelable(true);
builder1.setPositiveButton(
"Yes",
new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int id) {
dialog.cancel();
finish();
}
});
builder1.setNegativeButton(
"No",
new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int id) {
dialog.cancel();
}
});
AlertDialog alert11 = builder1.create();
alert11.show();
}
@Override
public boolean onKeyDown(int keyCode, KeyEvent event) {
if (keyCode == KeyEvent.KEYCODE_BACK) {
callAlert();
return true;
}
return super.onKeyDown(keyCode, event);
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/59623019",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Maya ASCII Filepath Replace My first post here but I've spent the last few weeks basically living on S.O., looking for answers and solutions. Unfortunately I have not found an answer to my current problem on here, or anywhere else, so I am hoping one of you lovely people can help me.
I am trying to batch process Autodesk Maya files from within Windows, to replace the filepaths for references, to one singular directory. At present, it just throws back a "" after I try to execute the code.
Here is my code so far - please pick holes in it as much as you want, I need to get better!
### Reference Example
# file -rdi 2 -ns "platform3_MDL_MASTER" -rfn
# "Toyota_2000GT_Spider:Toyota2000GT_Spider_RN"
# -typ "mayaAscii"
# "C:/svn/TEST/previs/maya_references/Toyota_2000GT_Spider.ma";
import os
# Defining the reference paths - before and after
projectPath = "C:/projects/TEST/previs"
originalPath = "C:/projects/TEST/previs/maya_references/"
newPath = "R:/projects/FRAT/production/maya_references/"
# Makes a list of all previs files in the given directory.
previsFiles = [os.path.join(d, x)
for d, dirs, files in os.walk(projectPath)
for x in files if x.endswith("_PREVIS.ma")]
previsSuffix = '.ma";'
newLines = []
# Loops through each previs file found...
# for each line that contains the previsSuffix...
# and splits the filepath into a directory and a filename
# and then replaces that originalPath with the newPath.
for scene in previsFiles:
with open(scene, "r") as fp:
previsReadlines = fp.readlines()
for line in previsReadlines:
if previsSuffix in line:
# Splits the directory from the file name.
lines = os.path.split(line)
newLines = line.replace(lines[0], newPath)
else:
break
with open(scene, 'w') as fw:
previsWritelines = fw.writelines()
A: You'll have the adjust this to work with your script, but I hope it gives you the general idea of how to replace a reference path with another.
The original code had 2 main issues:
1) You weren't actually changing the contents. Doing newLines = Doesn't actually re-assign previsReadlines, so the changes weren't being recorded.
2) Nothing was being passed to write with. writelines needs a parameter you intend to write with.
# Adjust these paths to existing maya scene files.
scnPath = "/path/to/file/to/open.ma"
oldPath = "/path/to/old/file.ma"
newPath = "/path/to/new/file.ma"
with open(scnPath, "r") as fp:
# Get all file contents in a list.
fileLines = fp.readlines()
# Use enumerate to keep track of what index we're at.
for i, line in enumerate(previsReadlines):
# Check if the line has the old path in it.
if oldPath in line:
# Replace with the new path and assign the change.
# Before you were assigning this to a new variable that goes nowhere.
# Instead it needs to re-assign the line from the list we first read from.
fileLines[i] = line.replace(oldPath, newPath)
# Completely replace the file with our changes.
with open(scnPath, 'w') as fw:
# You must pass the contents in here to write it.
fw.writelines(fileLines)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/49859115",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Stored Procedure to Insert data from a particular timestamp into a temp table and truncate the main table I have a set of tables (_del tables) that keep track of all the deleted data. I want to copy the records with a timestamp of today and later from these tables into temporary tables. After that I want to truncate the _del table. Can someone help me with a stored procedure for the above logic.
A: What database are you using? To copy from a single table into another table where a particular column's date is greater than now you could use this:
SQL Server:
INSERT INTO MyTempTable1 (Column1, Column2, Colu...)
SELECT Column1, Column2, Colu...
FROM _delTable1
WHERE MyDateColumn > GetDate();
TRUNCATE TABLE _delTable1;
MySQL:
INSERT INTO MyTempTable1 (Column1, Column2, Colu...)
SELECT Column1, Column2, Colu...
FROM _delTable1
WHERE MyDateColumn > CURRENT_TIMESTAMP();
TRUNCATE TABLE _delTable1;
If you want to dynamically build the queries for each table that begins with _del then you could loop through the tables and build queries up and execute them - but it depends on what database you are using and even what version.
Another option (depending on what you want to do) is to just delete the data older than today (now or the start of today).
To get the start of today you could do this:
SELECT DATEADD(DAY, DATEDIFF(DAY, -1, GETDATE()), -1)
If you want to use that just replace the GetDate() or CURRENT_TIMESTAMP() with it (in brackets).
| {
"language": "en",
"url": "https://stackoverflow.com/questions/11195742",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-2"
} |
Q: stringByReplacingCharactersInRange does not work? I am attempting to replace a character with another one. For some reason stringByReplacingCharactersInRange does not work. I have not found a simple explanation on how to resolve this issue.
var binaryColor: String = "000"
(binaryColor as NSString).stringByReplacingCharactersInRange(NSMakeRange(0, 1), withString: "1")
println("This is binaryColor0: \(binaryColor)")
The result is 000 and not 100.
Thanks for any help!
A: You don't need to cast it to NSString to use stringByReplacingCharactersInRange you just need to change the way you create your string range as follow:
update: Xcode 7.2 • Swift 2.1.1
let binaryColor = "000"
let resultString = binaryColor.stringByReplacingCharactersInRange(
Range(start: binaryColor.startIndex, end: binaryColor.startIndex.advancedBy(1)),
withString: "1")
Or simply
let resultString2 = binaryColor.stringByReplacingCharactersInRange(
binaryColor.startIndex..<binaryColor.startIndex.advancedBy(1),
withString: "1")
A: You have to set the variable:
var binaryColor: String = "000"
binaryColor = (binaryColor as NSString).stringByReplacingCharactersInRange(NSMakeRange(0, 1), withString: "1")
println("This is binaryColor0: \(binaryColor)")
| {
"language": "en",
"url": "https://stackoverflow.com/questions/30671680",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to define spark submit configuration correctly? I run my spark program on 6 PCs (1 master and 5 workers) connected by LAN. Each of them is equipped with 6 CPU cores and 8GB RAM. Below is my spark submit configuration. Based on my configuration, I have 5 partitions and I hope that each executor will take 1 partition and be executed in one different worker node so that all worker nodes is busy. But, when I run the program, 1 worker PC has 100% CPU and memory utilization, 2 PCs have 25% utilization and 2 PC has 0% utilization means it is idle (I investigated using task manager). The output is correct but I hope faster running time. So, whats wrong with my spark submit configuration? How can I define all configuration so that everything is distributed equally with no idle PCs?
I use this link for my reference : https://medium.com/expedia-group-tech/part-3-efficient-executor-configuration-for-apache-spark-b4602929262
spark-submit --class MainApp --master spark://192.168.6.229:7077 --deploy-mode client --num-executors 5 --executor-memory 6g --executor-cores 6 --driver-memory 6g --conf “spark.driver.memoryOverhead=6g” --conf "spark.kryoserializer.buffer.max=128m" C:\spark-3.1.1-bin-hadoop2.7\a.jar C:\spark-3.1.1-bin-hadoop2.7\Dataset\b.txt 0.1 5
A: Based on my investigation, this problem was because of unbalanced job distribution. That's why some PCs are idle while the others were still busy. It is necessary to design good algorithm to distribute the jobs equally in Spark.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/68515654",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to correctly order an ArrayList containing Strings and numbers? I am currently trying to order an ArrayList of String elements (called myarraylist) according to the numbers found after the word "Item". Here is a snippet of what is in myarraylist:
Item 1
Item 2
Item 3
...
Item 9
Item 10
I would like to order myarraylist to the following order:
Item 10
Item 9
Item 8
...
Item 3
Item 2
Item 1
So far, this is what I have tried:
Collections.sort(myarraylist, String.CASE_INSENSITIVE_ORDER);
Collections.reverse(myarraylist);
However, this orders the myarraylist in the following order
Item 9
Item 8
...
Item 3
Item 2
Item 10
Item 1
As you can see, Item 10 is out of place, because it reads "10" by its first number, "1". Does anyone know how to appropriately order myarraylist in reverse numerical order?
A: That's because the default String Comparator uses lexicographical order -- i.e. character by character, as in a dictionary. Since "1" comes before "2", any String starting with "1" will precede any other starting with "2".
You should use a custom comparator to implement Natural Sorting. A good example would be Alphanum, from Dave Koelle, which you would use like this:
Collections.sort(myarraylist, new AlphanumComparator());
A: I use this simple class to order my Strings:
public abstract class StringOrderer {
public static ArrayList<String> order(ArrayList<String> items, boolean ascending) {
Collections.sort(items, new StringComparator());
// reverse the order
if(!ascending) Collections.reverse(items);
return items;
}
class StringComparator implements Comparator<String> {
@Override
public int compare(String s1, String s2) {
// use the users default locale to sort the strings
Collator c = Collator.getInstance(Locale.getDefault());
return c.compare(s1, s2);
}
}
}
The basic idea is that i have a custom Comparator that uses the default Locale.
A: Since you are using String in the Array list it alway checks characters. Better you try using Integer. It may works for you.
A: As String can not be extended, it is better to change ArrayList<String> to ArrayList<ClassWithStringAttribute> then implement Comparable in ClassWithStringAttribute when you need custom comparison. For your particular case and illustration, the following class should work, though not a nice approach.
myarraylist= StringSorter.getSortedList(myarraylist);
Will give you a sorted list
public class StringSorter implements Comparable<StringSorter>{
String tempString;
public StringSorter(String data) {
this.tempString = data;
}
public static List<String> getSortedList(List<String> unsortedList){
List<StringSorter> tempList=new ArrayList<StringSorter>();
for (String current : unsortedList) {
tempList.add(new StringSorter(current));
}
Collections.sort(tempList);
List<String> sortedString=new ArrayList<String>();
for (StringSorter current : tempList) {
sortedString.add(current.tempString);
}
return sortedString;
}
@Override
public int compareTo(StringSorter other) {
Integer otherInt=Integer.parseInt(other.tempString.replaceFirst("Item ", ""));
Integer thisInt=Integer.parseInt(this.tempString.replaceFirst("Item ", ""));
if(otherInt>thisInt){
return -1;
}else if(otherInt<thisInt){
return 1;
}else{
return 0;
}
}
}
A: How about this custom Comparator,
public class StringNumSuffixComparator implements Comparator<String>{
@Override
public int compare(String o1, String o2) {
String str1 = o1;
String str2 = o2;
Integer num1 = Integer.parseInt(str1.replaceAll("\\D+",""));
Integer num2 = Integer.parseInt(str2.replaceAll("\\D+",""));
return num2.compareTo(num1);
}
}
To sort them with Collections.sort(),
Collections.sort(items, new StringNumSuffixComparator());
| {
"language": "en",
"url": "https://stackoverflow.com/questions/24329658",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Will using "delete" here actually delete the object? I was implementing a LinkedList using C++, and I seem to have forgotten a few things when dealing with dynamically allocated memory.
I have a node class:
class Node {
public:
Node(int d) {
data = d;
next = NULL;
}
Node(int d, Node* n) {
data = d;
next = n;
}
int data;
Node* next;
};
and in my LinkedList class, I have the following method:
void remove(int n) {
Node* current;
current = head;
Node* previous = NULL;
while ( current->data != n && current->next != NULL) {
previous = current;
current = current->next;
}
if (current->data == n) {
previous->next = current->next;
current->next = NULL;
delete current;
}
else {
std::cout << "Node not found" << std::endl;
}
}
I seem to have forgotten..When I do delete current does that delete the Node ? Like the actual object that the pointer current points to? Or does it just delete the pointer? Or does the deletion of a pointer pointing to dynamically allocated memory using delete delete both the pointer and the object? Or do I need to have defined a Node class destructor for that?
A: It just deletes the struct -in your case node- it points to, you can still use that pointer -make it point to another node-, in fact there's no way delete the pointer itself since it's allocated on the stack. it's automatically "deleted" when you leave the function.
p.s: no need to set current->next to null
A: Delete just free's the memory pointed to. This has the following implications:
*
*You are not allowed to access the memory at this location (use after free)
*The amount of memory you needed for your Node object is free, meaning your program would use less RAM.
*The pointer itself points either to a non-valid location or NULL, if you follow best practise and set it to NULL manually.
*The data at the memory location where your object was can be overwritten by any other task that has a valid pointer on this location. So technically the Node data still remains in memory as long as nobody else overwrites it.
A: Assuming that you have allocated your object using new delete on a pointer does the following:
*
*calls the destructor of the object
*request that the memory is free ( when that happens is actually implementation dependent )
At some point the memory manager will free and mark it as non-accessible by the process.
Thus it is up to you to set the pointer after calling delete to an agreed value. The best practice it to set it as nullptr for the latest compilers.
A: delete p causes the object pointed to by p to cease to exist. This means that
1, If the object has a destructor, it is called; and
2. p becomes an invalid pointer, so that any attempt to dereference it is undefined behaviour.
Generally, the memory occupied by said object becomes available to the program again, though this is really an implementation detail.
The phrase "delete the pointer" is normally a sloppy shorthand for "delete the object pointed-to by the pointer".
A: It does delete the actual structure pointed to by current. Pointers remain intact. No need for defining destructor.
The delete operator is to be applied to pointer to object. The pointer is an address of memory on heap allocated by calling new. Internally there is just table of addresses allocated by new. So the key to free such memory is just that address. In your case such address is stored in variable of type pointer to Node named current.
There are few problems in your code. The problematic one is that you have no posibility to tell whether node stored in current is actually allocated on heap. It might happen that current node is allocated on stack. E.g.
void someFunction(LinkedList &list) {
Node myLocalNode(10);
list.add(&myLocalNode);
list.remove(10); //<-- disaster happens here
}
The same applies to statically allocated global variables.
You must take care of extreme cases. Think about what happens when deleted object is the first one, pointed by variable head. By deleteing its memory you end up with dangling pointer in head, pointing to either unallocated memory or memory used by someone else.
My third objection is to writing such structure at all. I hope it is just some school excercise, because in any other cases you should (almost must) use some existing list like std::list from C++ STL.
A: Whenever you call delete on a pointer variable, the object to which it is pointing to gets deleted from the memory, however the 4 bytes allocated to the actual pointer variable (in your case, the current variable), the 4 bytes will be freed only when the variable will go out of scope, ie At the end of the function
| {
"language": "en",
"url": "https://stackoverflow.com/questions/33432806",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Explore the Sharepoint WebServices to integrate with iPhone I want to integrate sharepoint services with my iPhone app. I do want to explore the web services provided by microsoft share point. From where can i get those services?
Thanks in Advance.
A: I am not sure but you can get the list of services for sharepoint by constructing a url like below.
http://yoursharepointhostname/_vti_bin/lists.asmx
| {
"language": "en",
"url": "https://stackoverflow.com/questions/16056363",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Create a HTML Title Box via JS Is there a way to display a title box without creating a html element with title="something" attribute and moving the mouse over it?
Something like: document.tooltip = "Google";
that would display http://puu.sh/67Fub.jpg without having to move the mouse over the Google image nor needing the image in the first place.
A: You could do something with CSS, using the :before or :after psuedo-elements (jsfiddle):
<div>Hello world</div>
div {
position: relative;
}
div:hover:after {
content: 'foo bar';
position: absolute;
background: cornsilk;
padding: 10px;
border: 1px solid #222;
box-shadow: 1px 1px 1px 1px #222;
}
To take it a step further, you can do it dynamically like this (just an example):
var text = $('input').val();
$('div').attr('data-content',text);
div:hover:after {
content: attr(data-content);
/*plus all the other stuff*/
}
A: try this:
<div id="container">
<div style="width:140px;">
<h1 id="text">GOOGLE</h1>
</div>
</div>
js:
var tile = $('<div />').appendTo('#container');
tile.attr('id','tile');
tile.text('google');
tile.css({
'background-color':'cornsilk',
width:'50px',
height:'20px',
'position': 'absolute',
'display': 'none',
'box-shadow': '1px 1px 1px 1px #222',
});
$('#text').on('mouseover',function(e){
tile.show();
tile.css({
'left': e.pageX + 'px',
'top': e.pageY + 'px'
});
});
$('#text').on('mouseout',function(e){
tile.hide();
});
| {
"language": "en",
"url": "https://stackoverflow.com/questions/20896562",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Check if ng content is empty in Angular I have a component that has two TemplateRefs
@ViewChild('optionContent') optionContent: TemplateRef<unknown>; @ViewChild('selectContent') selectContent: TemplateRef<unknown>;
with template:
<ng-template #optionContent>
<ng-content select="[option]"></ng-content>
</ng-template>
<ng-template #selectContent>
<ng-content select="[select]"></ng-content>
</ng-template>
I am passing the above component in its parent and checking if selectcontent exists, it should render the selectcontent else optioncontent but I can not come up with a condition. I am using the following logic in the parent template but it is not working:
<ng-container [ngTemplateOutlet]="state?.selectedItem?.selectContent ?? state?.selectedItem?.optionContent" ></ng-container>
Is there any other way to acheive this?
I tried with the following condition:
<ng-container [ngTemplateOutlet]="state?.selectedItem?.selectContent ?? state?.selectedItem?.optionContent" ></ng-container>
A: You wanna check if any ng-content is empty, right?
Here is a possible solution on Stackoverflow.
template: `<div #ref><ng-content></ng-content></div>
<span *ngIf="!ref.children.length">
Display this if ng-content is empty!
</span>`
So in short words: You can handle it with css but your solution is absolutely fine.
CSS Example
HTML
<div class="wrapper">
<ng-content select="my-component"></ng-content>
</div>
<div class="default">
This shows something default.
</div>
CSS
.wrapper:not(:empty) + .default {
display: none;
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/75146836",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Is it possible to hook data from S3 to RoR driven website? I am ding some processing on business data using EMR and my output is stored in S3. I need to setup a reporting dashboard to surface up this processed data. I was looking into various options and seems Ruby on Rails is good framework to start with.
Is it possible to hook data from S3 to RoR driven website? If yes, how ?
Any pointer would be helpful. Do let me know if there are any other open source platform which I can use.
A: What you'll probably want to consider, is using Paperclip (or another similar gem) to store the data on S3. Within your application, you can then locate/compute the data you'll need to display through your Paperclip-based model, then have Paperclip retrieve and load the data you need.
The nice thing about such a solution is that it's completely transparent for you (as a user AND as a developer): you're just working with your objects, and they get stored/retrieved form S3 as needed.
A: Both Heroku and Engineyard (probably the two largest cloud providers for rails) use S3 as the backend, so using these providers could be great.
Heroku tends to be more 'out-of-the-box' so I think EngineYard with CLI(Command Line) access would be better suited to your needs.
More info on the two at
Heroku vs EngineYard: which one is more worth the money? and
http://mikemainguy.blogspot.com/2011/08/heroku-is-bus-engineyard-is-car.html and
http://www.cuberick.com/2010/04/engine-yard-vs-heroku-getting-started.html has more on setup / cost.
A: This is very possible. Use the fog gem.
I have to not recommend you use carrierwave or paperclip for your specific needs here. They're good when you are uploading the data initially, but in your case you're accessing existing data. Just use fog to connect to s3 directly.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/8265867",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: ASP.NET Core - Bind IEnumerable to a ViewModel field on POST I have a web application for registering teams to a competition, where each team can select a number of technologies that they will use for their project. The technologies are saved in a Label class.
I am using a view model to bind the information from the form to the action.
However, when I try to submit the form, it takes all other fields, except the list of technologies.
Label.cs
public class Label
{
[Key]
public int Id { get; set; }
public string Name { get; set; }
public string ColorPalette { get; set; }
}
CreateTeamViewModel.cs
public class CreateTeamViewModel
{
[Required]
public string TeamName { get; set; }
public string ProjectName { get; set; }
public string ProjectDescription { get; set; }
[Required]
public string RepositoryLink { get; set; }
public List<Label> Labels = new List<Label>();
}
TeamsController.cs
public class TeamsController
{
private readonly ApplicationDbContext context;
public IActionResult Create()
{
ViewData["Labels"] = this.context.Labels.ToList();
return View();
}
[HttpPost]
public IActionResult Create(CreateTeamViewModel team)
{
List<Label> labels = team.Labels;
int count = labels.Count; // count = 0
return LocalRedirect("/");
}
}
Create.cshtml (the list of checkboxes)
@model Competition.Data.ViewModels.CreateTeamViewModel
@{
List<Label> labels = ViewData["Labels"] as List<Label>;
}
<form asp-action="Create">
<div class="form-check">
@for(int i = 0; i < labels.Count; i++)
{
<input asp-for="@Model.Labels[i].IsSelected" type="checkbox" />
<label asp-for="@Model.Labels[i].Name">
<span class="badge badge-@labels[i].ColorPalette">@labels[i].Name</span>
</label>
<input asp-for="@Model.Labels[i].Name" type="hidden" value="@labels[i].Name" />
<input asp-for="@Model.Labels[i].ColorPalette" type="hidden" value="@labels[i].ColorPalette" />
}
</div>
<div class="form-group">
<input type="submit" value="Create" class="btn btn-default" />
</div>
</form>
A: You need to bind to a list of int instead of a list of Label on your view model. Then, you'll need to use that list of selected ids to fill your list of labels on the Team entity you're persisting:
public class CreateTeamViewModel
{
[Required]
public string TeamName { get; set; }
public string ProjectName { get; set; }
public string ProjectDescription { get; set; }
[Required]
public string RepositoryLink { get; set; }
public List<int> SelectedLabels { get; set; } = new List<int>();
}
Then, you'll need to modify your form to bind your checkboxes to this list:
@foreach (var label in labels)
{
<input asp-for="SelectedLabels" id="Label@(label.Id)" value="@label.Id" type="checkbox" />
<label id="Label@(label.Id)">
<span class="badge [email protected]">@label.Name</span>
</label>
}
Notice that I removed the hidden inputs. You should never post anything that the user should not be able to modify, as even hidden inputs can be tampered with.
After posting, server-side you'll end up with a list of label ids that were selected by the user. Simply query the associated labels out of your database and then assign that to the team you're creating:
team.Labels = await _context.Set<Label>().Where(x => model.SelectedLabels.Contains(x.Id)).ToListAsync();
| {
"language": "en",
"url": "https://stackoverflow.com/questions/54555548",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: python argparse - passing "argument" to argument I'd like to pass an "argument" to argument.
I.e., in the following code:
import argparse
parser = argparse.ArgumentParser()
parser.add_argument("-a")
print parser.parse_args(['-a', 'hi'])
print parser.parse_args(['-a', '-hi'])
The output is:
Namespace(a='hi')
usage: problem.py [-h] [-a A]
problem.py: error: argument -a: expected one argument
While I'd like it to be:
Namespace(a='hi')
Namespace(a='-hi')
How can I achieve that?
I've seen in the help the section 15.4.4.3. Arguments containing -, but it seems to support only negative numbers. Also, they suggest passing "--", but it's not good in my use case, but everything after the "--" isn't treated as argument (if I understand correctly).
But I want "-a" to consume only 1 argument, and then continue parsing the other arguments as real arguments.
How can it be done?
EDIT
Adding a space before the argument works:
print parser.parse_args(['-a', ' -hi'])
But is there a way to achieve that, without requiring the user to add spaces?
A: Here's a parser subclass that implements the latest suggestion on the https://bugs.python.org/issue9334. Feel free to test it.
class ArgumentParserOpt(ArgumentParser):
def _match_argument(self, action, arg_strings_pattern):
# match the pattern for this action to the arg strings
nargs_pattern = self._get_nargs_pattern(action)
match = _re.match(nargs_pattern, arg_strings_pattern)
# if no match, see if we can emulate optparse and return the
# required number of arguments regardless of their values
#
if match is None:
import numbers
nargs = action.nargs if action.nargs is not None else 1
if isinstance(nargs, numbers.Number) and len(arg_strings_pattern) >= nargs:
return nargs
# raise an exception if we weren't able to find a match
if match is None:
nargs_errors = {
None: _('expected one argument'),
OPTIONAL: _('expected at most one argument'),
ONE_OR_MORE: _('expected at least one argument'),
}
default = ngettext('expected %s argument',
'expected %s arguments',
action.nargs) % action.nargs
msg = nargs_errors.get(action.nargs, default)
raise ArgumentError(action, msg)
# return the number of arguments matched
return len(match.group(1))
It replaces one method providing a fall back option when the regular argument matching fails.
If you and your users can live with it, the long flag fix is best --arg=-a is simplest. This unambiguously specifies -a as an argument to the --arg Action.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/48322986",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to change MaxInactiveIntervalInSeconds value in spring session java based configuration? I have implemented spring session in spring MVC application. It is creating session tables in my database and storing the session ids. But i am not able to change the 'MaxInactiveIntervalInSeconds' value. In XML based configuration i have changed 'MaxInactiveIntervalInSeconds' value like below.
<bean class="org.springframework.session.jdbc.config.annotation.web.http.JdbcHttpSessionConfiguration">
<property name="maxInactiveIntervalInSeconds">
<value>60</value>
</property>
</bean>
and it is working fine. But i am not able to change the 'MaxInactiveIntervalInSeconds' value in java based configuration. I have tried the following.
@Bean
public JdbcHttpSessionConfiguration setMaxInactiveIntervalInSeconds(JdbcHttpSessionConfiguration jdbcHttpSessionConfiguration) {
jdbcHttpSessionConfiguration.setMaxInactiveIntervalInSeconds(60);
return jdbcHttpSessionConfiguration;
}
But it is not working.
My SessionConfig and SessionInitializer classes are like below.
@Configuration
@EnableJdbcHttpSession
public class SessionConfig {
@Bean
public PlatformTransactionManager transactionManager(DataSource dataSource) {
return new DataSourceTransactionManager(dataSource);
}
@Bean
public JdbcHttpSessionConfiguration setMaxInactiveIntervalInSeconds(JdbcHttpSessionConfiguration jdbcHttpSessionConfiguration) {
jdbcHttpSessionConfiguration.setMaxInactiveIntervalInSeconds(60);
return jdbcHttpSessionConfiguration;
}
}
and
public class SessionInitializer extends AbstractHttpSessionApplicationInitializer {
}
Is there any way to achieve this?
A: I found a way. Just add httpServletRequest.getSession().setMaxInactiveInterval(intervalInSeconds)
@RequestMapping(value = "/login", method = RequestMethod.POST, produces = MediaType.APPLICATION_JSON_VALUE)
public String login(HttpServletRequest request, HttpServletResponse servletresponse){
//Your logic to validate the login
request.getSession().setMaxInactiveInterval(intervalInSeconds);
}
This worked for me.
EDIT 1
Found another way to do this. This would be the correct way of doing this,
@EnableJdbcHttpSession(maxInactiveIntervalInSeconds = intervalInSeconds)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/60616219",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Override GET or any default method on strongloop I need to override the GET on strongloop. So when I GET foo/ it returns something different as the default one.
I tried using remoteMethod with http: {path: '/', verb: 'get'} without success.
How can I override any default method on strongloop?
A: Finally I found it.
So get corresponds to find without any filter.
So the code is:
Foo.on('attached', function() {
Foo.find = function(filter, callback) {
//Whatever you need to do here...
callback(null, {hello: 'hello'});
}
});
Here there is a link for all the PersistedModel methods
I just put 'attached' without exactly knowing why so if someone can comment the reason it would be great.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/35326873",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "9"
} |
Q: Bootstrap User Input in Modal I have set up my page with the help of bootstrap.
Visit: hubb.tekkkz.com
I have the problem that if you click on login/register on the right, the modal appears. BUT! the user input elements aren't as wide as the parent container is, so the free space to the left between element and modal is lower than at the right side.
How to make the elements have the full container/parents width?
<div class="modal fade bs-example-modal-sm" id="loginModal" tabindex="-1" role="dialog" aria-labelledby="loginModal" aria-hidden="true">
<div class="modal-dialog modal-sm">
<div class="modal-content">
<div class="modal-header">
<button type="button" class="close" data-dismiss="modal" aria-label="Close"><span aria-hidden="true"><span class="glyphicon glyphicon-remove"></span></span></button>
<h4 class="modal-title" id="exampleModalLabel">Login</h4>
</div>
<div class="modal-body">
<form action="" method="post">
<p><input type="text" class="form-control" placeholder="Username" name="username" value=""></p>
<p><input type="password" class="form-control" placeholder="Password" name="password" value=""></p>
<p><input class="btn btn-primary form-control" type="submit" value="Login"></p>
</form>
</div>
</div>
</div>
A: Create a new class add this class to the modelinputs
.form-control-login {
width: 100% !important;
}
A: add below css
#loginModal .form-inline .form-control,
#registerModal .form-inline .form-control {
width: 100%!important;
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/30923967",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: AJAX Image Upload to Wordpress So I'm trying to allow users to upload an image from the front end of a Wordpress site. I don't want them to have to sign up for an account or anything. I'm using the jQuery plugin AJAXUpload to handle everything on the front end and it's working perfectly. However whenever I call into Wordpress's AJAX functions, I don't get a response at all. I've tried simply die-ing out a string and I still don't receive anything back.
Here's the code I have in the Wordpress backend that's supposed to accept the image upload.
if( !function_exists( 'ni_handle_file_upload' ) ){
function ni_handle_file_upload() {
//global $wpdb, $global_contest_settings;
die(json_encode("test"));
/*if ($_FILES) {
require_once(ABSPATH . "wp-admin" . '/includes/image.php');
require_once(ABSPATH . "wp-admin" . '/includes/file.php');
require_once(ABSPATH . "wp-admin" . '/includes/media.php');
$attachment_ids = array();
foreach ($_FILES as $file => $array) {
// check to make sure its a successful upload
if ($_FILES[$file]['error'] !== UPLOAD_ERR_OK) {
die(json_encode(array(
"status" => "error",
"message" => "There was an error uploading the file."
)));
}
$attachment_ids[] = media_handle_upload( $file );
}
}
die(json_encode(array(
"status" => "success",
"message" => "File uploaded successfully",
"attachment_ids" => $attachment_ids
)));*/
}
add_action( 'wp_ajax_handle_file_upload', 'ni_handle_file_upload' );
add_action( 'wp_ajax_nopriv_handle_file_upload', 'ni_handle_file_upload' );
}
And here is the JS I'm using on the front end to upload the file.
new AjaxUpload('thumb', {
action: Contest.ajaxurl,
name: 'image',
data: {
action: "handle_file_upload"
},
autoSubmit: true,
responseType: "json",
onSubmit: function(file, extension) {
$('div.preview').addClass('loading');
},
onComplete: function(file, response) {
thumb.load(function(){
$('div.preview').removeClass('loading');
thumb.unbind();
});
thumb.attr('src', response);
}
});
I've breakpointed throughout the JS and everything is OK, except for the fact that the onComplete event never fires and from what I can tell in the Network tab in Chrome, it makes the call out to Wordpress's admin-ajax.php, but it never gets a response back even when I'm just running one line of code. What have I missed here?
A: In WordPress you need to send your response back using WP_Ajax_Response. Example:
$response = array(
'action'=>'handle_file_upload',
'data'=> array('status' => 'success', 'message' => 'File uploaded successfully', 'attachment_ids' => $attachment_ids)
);
$xmlResponse = new WP_Ajax_Response($response);
$xmlResponse->send();
| {
"language": "en",
"url": "https://stackoverflow.com/questions/14393524",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Make aspectj work with scala model I have a domain made in Scala and some classes made in Java. I need to make some aspects with Aspectj that I know that work because with a Java class and it works.
The problem is that when the Scala class is annotated it does not work. Other annotations like hibernate's work well with my Scala class.
This is my pom.xml:
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>Group</groupId>
<artifactId>Parent</artifactId>
<version>1.0-SNAPSHOT</version>
<packaging>pom</packaging>
<properties>
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
<java.source-target.version>1.8</java.source-target.version>
<aspectj.version>1.8.2</aspectj.version>
</properties>
<build>
<pluginManagement>
<plugins>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-compiler-plugin</artifactId>
<version>3.6.1</version>
<configuration>
<source>${java.source-target.version}</source>
<target>${java.source-target.version}</target>
<useIncrementalCompilation>false</useIncrementalCompilation>
</configuration>
</plugin>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-antrun-plugin</artifactId>
<executions>
<execution>
<id>createClassesDir</id>
<phase>process-resources</phase>
<configuration>
<tasks>
<mkdir dir="${project.build.directory}\unwoven-classes" />
<mkdir dir="${project.build.directory}\classes" />
</tasks>
</configuration>
<goals>
<goal>run</goal>
</goals>
</execution>
</executions>
</plugin>
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>aspectj-maven-plugin</artifactId>
<version>1.7</version>
<configuration>
<complianceLevel>1.8</complianceLevel>
<source>${aspectj.version>}</source>
<target>${aspectj.version>}</target>
<weaveDirectories>
<weaveDirectory>${project.build.directory}\unwoven-classes</weaveDirectory>
</weaveDirectories>
</configuration>
<executions>
<execution>
<phase>process-classes</phase>
<goals>
<goal>compile</goal>
</goals>
</execution>
</executions>
</plugin>
<plugin>
<groupId>net.alchim31.maven</groupId>
<artifactId>scala-maven-plugin</artifactId>
<executions>
<execution>
<id>scala-compile-first</id>
<phase>process-resources</phase>
<goals>
<goal>add-source</goal>
<goal>compile</goal>
</goals>
</execution>
<execution>
<id>scala-test-compile</id>
<phase>process-test-resources</phase>
<goals>
<goal>testCompile</goal>
</goals>
</execution>
</executions>
</plugin>
</plugins>
</pluginManagement>
</build>
<dependencyManagement>
<dependencies>
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjrt</artifactId>
<version>${aspectj.version}</version>
<scope>runtime</scope>
</dependency>
<dependency>
<groupId>org.scala-lang</groupId>
<artifactId>scala-library</artifactId>
<version>2.12.1</version>
</dependency>
<dependency>
<groupId>junit</groupId>
<artifactId>junit</artifactId>
<version>4.12</version>
<scope>test</scope>
</dependency>
</dependencies>
</dependencyManagement>
<modules>
<module>Aspects</module>
</modules>
</project>
I think that I have to do something with maven, because the aspects and the rest of the code works fine.
Is there anyway to do that?
Thank you!
A: First of all, make sure your aspects (annotation-based or native syntax) always have a .aj file extension (add them to your project via "New aspect" instead of "New class" menu in whatever IDE you use). I have removed the duplicate class from your repo in my fork and renamed the other one accordingly. I chose the native syntax one, by the way.
What was worse, though, is that you somehow expect unwoven Scala classes in a specific directory, but you did not configure the Scala plugin to actually put them there. I fixed that by adding this snippet:
<configuration>
<outputDir>${project.build.directory}/unwoven-classes</outputDir>
</configuration>
Now the AspectJ Maven plugin finds the Scala classes there and performs binary weaving upon them. This fixes both your Java and Scala test. Both of them failed in Maven before, now at least the Java one works in IntelliJ, but not the Scala one. This is due to the fact that IDEA does not know about this strange Maven setup with the additional (intermediate) directory of yours.
So there is nothing wrong with the aspect as such or AspectJ being unable to work with Scala binaries. The project setup was wrong and in a way it still is with respect to IDE support.
So how can you fix it completely? You have several options:
*
*Put the aspect code into another Maven module and there configure a weave dependency on the Java + Scala module, weaving all classes from there into the aspect module. But then you might still have issues with running the tests. But at least you could configure the IDEA project for post-compile weaving with the right dependency.
*You could also put the Scala code in its own module instead, define it as a dependency for the Java + AspectJ module and apply binary weaving to it that way.
Other variants are possible. I do not want to over-analyse here, I just fixed your Maven setup in a quick and simple approach to get you going:
$ mvn clean verify
(...)
-------------------------------------------------------
T E S T S
-------------------------------------------------------
Aktive Codepage: 65001.
Running aspects.AnnotationAspectTest
set(String model.JavaEntity.name)
set(String model.ScalaEntity.name)
Tests run: 2, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 0.055 sec
Results :
Tests run: 2, Failures: 0, Errors: 0, Skipped: 0
[INFO]
[INFO] --- maven-jar-plugin:2.4:jar (default-jar) @ aspectj-with-scala ---
[INFO] Building jar: C:\Users\Alexander\Documents\java-src\aspectj-with-scala\target\aspectj-with-scala-1.0-SNAPSHOT.jar
[INFO] ------------------------------------------------------------------------
[INFO] BUILD SUCCESS
[INFO] ------------------------------------------------------------------------
(...)
P.S.: I have also created a pull request for you to easily integrate my changes into your repo.
P.P.S.: See, an MCVE is more helpful than what you did before: Post a separate question only showing an aspect and then post this question here with only a Maven POM. I needed both plus the other classes in order to reproduce and solve the problem. After you published the GitHub project it was pretty straightforward to find and fix.
A: The problem is likely that aspects are often applied to the semantics of your java code - "find a method with a name like X and do the following around it." But Scala code, when viewed from Java, typically does not follow expected naming conventions. Without more detail on the specific pointcuts being made - and the code on which they're being applied - I couldn't give any more insight.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/43402698",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Date variable doesn't change after exiting while loop I have a range of dates
ie 2020/6/7 - 2020/6/10 and then do the following
*
*Add 20 calendar days
*Checks whether it is a weekend or a public holiday
*If it fall on a weekend or public holiday, add days until it falls
on the next nearest business day
The date doesn't update after exiting the loop statement.
twentycalender_after = []
public_holiday = []
start_dt = datetime.date(2020, 6, 6)
end_dt = datetime.date(2020, 6, 10)
mydates = pd.date_range(start_dt, end_dt)
for da_te in mydates:
twentycalender_after = da_te + datetime.timedelta(20)
print(twentycalender_after)
print(twentycalender_after.isoweekday())
while twentycalender_after.isoweekday() >5:
twentycalender_after += datetime.timedelta(1)
print(twentycalender_after) ## HERE
print(twentycalender_after.isoweekday()) ## HERE
print('over')
Output is as follows:
2020-06-26 00:00:00
5
2020-06-26 00:00:00
5
over
2020-06-27 00:00:00
6
2020-06-29 00:00:00
1
over
2020-06-28 00:00:00
7
2020-06-29 00:00:00
1
over
2020-06-29 00:00:00
1
2020-06-29 00:00:00
1
over
2020-06-30 00:00:00
2
2020-06-30 00:00:00
2
over
However when I indent the lines marked HERE:
for da_te in mydates:
twentycalender_after = da_te + datetime.timedelta(20)
print(twentycalender_after)
print(twentycalender_after.isoweekday())
while twentycalender_after.isoweekday() >5:
twentycalender_after += datetime.timedelta(1)
print(twentycalender_after) ## HERE
print(twentycalender_after.isoweekday()) ## HERE
print('over')
The output(looks fine) is
2020-06-26 00:00:00
5
over
2020-06-27 00:00:00
6
2020-06-28 00:00:00
7
2020-06-29 00:00:00
1
over
2020-06-28 00:00:00
7
2020-06-29 00:00:00
1
over
2020-06-29 00:00:00
1
over
2020-06-30 00:00:00
2
over
A: Your change to the indentation of the print statements is only changing what the console prints out, not any of the data. The first version only prints the date (and if its a weekday) before and after its been changed, while the second prints the date before, and then how it changes in each iteration of the while loop. I believe the first version is actually doing the processing you want, but you may need to be more specific about what you are looking for as output.
One thing though is that the new dates are not being stored anywhere. You start with a list twentycalender_after = [], but then in your for loop you reassign that name to reference the changed date: twentycalender_after = da_te + datetime.timedelta(20). You should append the new dates created in the loop to the list you start with:
output = [] #picking a new name to avoid confusion
start_dt = datetime.date(2020, 6, 6)
end_dt = datetime.date(2020, 6, 10)
mydates = pd.date_range(start_dt, end_dt)
for da_te in mydates:
twentycalender_after = da_te + datetime.timedelta(20)
print(twentycalender_after)
print(twentycalender_after.isoweekday())
while twentycalender_after.isoweekday() >5:
twentycalender_after += datetime.timedelta(1)
print(twentycalender_after) ## HERE
print(twentycalender_after.isoweekday()) ## HERE
output.append(twentycalender_after)
print('over')
Output:
[Timestamp('2020-06-26 00:00:00', freq='D'),
Timestamp('2020-06-29 00:00:00', freq='D'),
Timestamp('2020-06-29 00:00:00', freq='D'),
Timestamp('2020-06-29 00:00:00', freq='D'),
Timestamp('2020-06-30 00:00:00', freq='D')]
This doesn't address the public holiday bit yet though, but you could use something like this to check if each date is on a public holiday (as an or condition in the while loop).
| {
"language": "en",
"url": "https://stackoverflow.com/questions/62246478",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Summing a total from different functions - Javascript I need to be able to create a seperate function which creates a total figure from variables within 2 different functions.
function addToy1()
{
var i = document.getElementById("qty_toy1");
var qtytoy1 = i.options[i.selectedIndex].text;
var qtytoy1tot = qtytoy1 * 26.99;
var generateTableToy1="<table width=\"210px\" border=\"0\">"
+" <tr>"
+" <td width=\"140\">Optimus Prime</td>"
+" <td width=\"25\">x " + qtytoy1 + "</td>"
+" <td width=\"45\">£" + qtytoy1tot + "</td>"
+" </tr>"
+"</table>";
document.getElementById("toy1_add").innerHTML=generateTableToy1;
}
function addToy2()
{
var i = document.getElementById("qty_toy2");
var qtytoy2 = i.options[i.selectedIndex].text;
var qtytoy2tot = qtytoy2 * 14.39;
var generateTableToy2="<table width=\"210px\" border=\"0\">"
+" <tr>"
+" <td width=\"140\">Bumblebee</td>"
+" <td width=\"25\">x " + qtytoy2 + "</td>"
+" <td width=\"45\">£" + qtytoy2tot + "</td>"
+" </tr>"
+"</table>";
document.getElementById("toy2_add").innerHTML=generateTableToy2;
}
With this code I need to make a sum of both variables "qtytoy1tot" and "qtytoy2tot". I am new to Javascript. Please help where you can. Thanks.
A: You have a number of options here. The most straight forward is as Amit suggested in the comment, just return the total from each of the methods. This may or may not work depending on how you plan on using these methods. Something like the following should work for your purposes.
function ToyBox() {
this.total = 0;
}
ToyBox.prototype.addToy1 = function() {
var i = document.getElementById("qty_toy1");
var qtytoy1 = i.options[i.selectedIndex].text;
var qtytoy1tot = qtytoy1 * 26.99;
this.total += qtytoy1tot;
var generateTableToy1="<table width=\"210px\" border=\"0\">"
+" <tr>"
+" <td width=\"140\">Optimus Prime</td>"
+" <td width=\"25\">x " + qtytoy1 + "</td>"
+" <td width=\"45\">£" + qtytoy1tot + "</td>"
+" </tr>"
+"</table>";
document.getElementById("toy1_add").innerHTML=generateTableToy1;
};
ToyBox.prototype.addToy2 = function() {
var i = document.getElementById("qty_toy2");
var qtytoy2 = i.options[i.selectedIndex].text;
var qtytoy2tot = qtytoy2 * 14.39;
this.total += qtytoy2tot;
var generateTableToy2="<table width=\"210px\" border=\"0\">"
+" <tr>"
+" <td width=\"140\">Bumblebee</td>"
+" <td width=\"25\">x " + qtytoy2 + "</td>"
+" <td width=\"45\">£" + qtytoy2tot + "</td>"
+" </tr>"
+"</table>";
document.getElementById("toy2_add").innerHTML=generateTableToy2;
};
var toyBox = new ToyBox();
toyBox.addToy1();
toyBox.addToy2();
console.log(toyBox.total);
Keep in mind, you really just have one function here, and you should pass in the variable parts in as parameters to the function, but I think that may be beyond the scope of this question.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/10021711",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Remove lines that contain non-english (Ascii) characters from a file I have a text file with characters from different languages like (chinese, latin etc)
I want to remove all lines that contain these non-English characters. I want to include all English characters (a-b), numbers (0-9) and all punctuations.
How can I do it using unix tools like awk or sed.
A: You can use Awk, provided you force the use of the C locale:
LC_CTYPE=C awk '! /[^[:alnum:][:space:][:punct:]]/' my_file
The environment variable LC_TYPE=C (or LC_ALL=C) force the use of the C locale for character classification. It changes the meaning of the character classes ([:alnum:], [:space:], etc.) to match only ASCII characters.
The /[^[:alnum:][:space:][:punct:]]/ regex match lines with any non ASCII character. The ! before the regex invert the condition. So only lines without any non ASCII characters will match. Then as no action is given, the default action is used for matching lines (print).
EDIT: This can also be done with grep:
LC_CTYPE=C grep -v '[^[:alnum:][:space:][:punct:]]' my_file
A: With GNU grep, which supports perl compatible regular expressions, you can use:
grep -P '^[[:ascii:]]+$' file
A: You can use egrep -v to return only lines not matching the pattern and use something like [^ a-zA-Z0-9.,;:-'"?!] as pattern (include more punctuation as needed).
Hm, thinking about it, a double negation (-v and the inverted character class) is probably not that good. Another way might be ^[ a-zA-Z0-9.,;:-'"?!]*$.
You can also just filter for ASCII:
egrep -v "[^ -~]" foo.txt
A: Perl supports an [:ascii:] character class.
perl -nle 'print if m{^[[:ascii:]]+$}' inputfile
| {
"language": "en",
"url": "https://stackoverflow.com/questions/11577720",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "15"
} |
Q: Is Test coverage going down with JRebel? it's good practice to write Unittests to
*
*be independed of the whole spring application context
*automate the test you are doing for continuous integration
*avoid dependency on the Servlet Container
I guess with JRebel there's a temptation to test everything in the running application and 'forget' to write Unittests. What's your experience?
A: I like to think that you're not writing unit tests because of the slow turnaround cycle but for other reasons. The moment the turnaround cycle goes to zero there is still benefits of unit tests.
A: I think that would be a big mistake. Sure it is faster, but you have no assurance that you aren't breaking things.
So it is faster to do manual unit testing, but the disadvantages aren't just about speed. You can't retest everything on every change without automated tests.
JRebel does make in-container unit tests more viable, though.
A: I tend to think that writing and running unit tests is a good way to compile the appropriate classes so that JRebel can reload them.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/1683640",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Insert CSS from Chrome Extension I'm working on a chrome extension that allows the user to change the CSS of a page. I've attempted using the insertCSS method in the chrome.tabs api, and simply trying to append a style tag to the HTML, but i have not been successful. Can anyone tell me how either the insertCSS method works, or how to reach the web page from a .js file in the extension?
A: The injection code is simply
chrome.tabs.insertCSS(tabId, {
file : "mystyle.css"
});
Make sure that mystyle.css is whiletlisted in the manifest
"web_accessible_resources": [
"mystyle.css"
],
Use Chrome Devtools to check if the injection succeeded. I had a problem where I thought my CSS wasn't being injected. On investigating, it was, but my selectors were incorrect. I ended up adding !important to many of the styles.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19783009",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Problems adding UIViewController to UINavigationController My RootViewController is a UITableViewController. A UINavigationController is added programmatically:
_navigationController = [[[UINavigationController alloc] initWithRootViewController:_rootViewController] autorelease];
[self.window addSubview:_navigationController.view];
[self.window makeKeyAndVisible];
Within the RootViewController.m the DetailViewController should be loaded when a row is selected:
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
NSLog(@"Switch to detail");
CCouchDBDocument *selectedObject = [self.contentsList objectAtIndex:indexPath.row];
DetailViewController *detailViewController = [[DetailViewController alloc] initWithNibName:@"DetailView" bundle:nil];
[self.view addSubview:detailViewController.view];
[detailViewController setDetailItem: selectedObject];
[self.navigationController pushViewController:detailViewController animated:YES];
[detailViewController release];
}
Without addSubView nothing happens on the screen. All the examples I've seen before only use pushViewController. And, loading the DetailView takes about 4 seconds. That's way too long (it's currently empty, just one label). When I try to set the navigationTitle (self.title = @"Hello";), the title remains the same from the RootViewController, so something must be wrong with the navigationController.
I tried to put everything in the AppDelegate and use a switchView method. The problem is the call for setDetailItem, which I can't call if I work with the switch method.
What would be the correct way to load the DetailView from the RootViewController into the navigation stack and possibly more from the DetailViewController later?
Update
I started from the beginning again with a Window-based application. Added a UITableViewController as "RootViewController" and initialised it with the UINavigationController in the AppDelegate (did absolutely nothing in the XIB). When I try to set self.navigationController.title = @"Test"; in ViewDidLoad, nothing happens.
What's wrong there?
A: You don't set the title of the DetailView when it's displayed using a UINavigationController by using self.title, you need to set the UINavigationItem title property in the DetailView initializer.
e.g. in the DetailView initializer :-
self.navigationItem.title = @"Hello";
You're right you shouldn't need to add the detailViewController view as a subview of the current view - you should just need the pushViewController call. I'm not sure why it's not appearing though.
Obvious questions are is everything connected OK in the nib, and what does the DetailView initializer do?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/6309907",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How can use itertools to generate all character permutations in a unicode string(Python) I am trying to generate all possible character permutation in a unicode string
How can I use
import itertools
itertools.permutation
for that purpose ?
Any suggestions?
A: If you want a list of the permutations, you can do
list(itertools.permutations(mystring))
and then you can index it. This may not be what you need; it's not memory-efficient because it stores the entire list in memory, so you can end up storing a really big list with a small mystring. If you only need to iterate over it one time, you should use a loop to iterate over itertools.permutations(mystring).
for permutation in itertools.permutations(mystring):
# do whatever you want to do with each permutation.
itertools.permutations returns a generator, which only gives up values one-at-a-time. It's way more memory efficient, and if you only need each value once, it's the way to go.
How big would the list be?
If you are making a list out of itertools.permutations, it get's really big really fast. The length of the new list will be len(mystring)! (that's factorial), and the size of each element of the list will be len(mystring). So the memory complexity is something like O(n*n!), where n is the length of the input string.
On my computer (32-bit Python), I can't do list(itertools.permutations(mystring)) for strings longer than 10 characters–I get a MemoryError. When I try it with a string of length 11, e.g. list(itertools.permutations('abcdefghij')), it tries to store a list with 39,916,800 elements. Apparently that's too much for me.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/21364871",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Facebook app like button shows like count but insights doesn't show any I'm using the standard like button code on our Facebook app. This shows likes when you click it and increments as you would expect.
The page has all the correct meta data, app_id etc.
But in insights the 'likes' are always zero.
Anyone know if there is a setting I should look at or is this just another Facebook bug?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/17681653",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Problem with sso-login in Django, Error GET /authorize/?token= HTTP/1.1"404 250 I am trying to run simple Django application.
I have already installed simple-sso module in my local app.
I tried but not solved.
Following images tell us that error is occured when i run localserver.
enter image description here
enter image description here
Following code is some of "settings.py":
INSTALLED_APPS = [
'ssoLogin.apps.ssoLoginConfig',
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'django.contrib.sites',
'simple_sso.sso_server',
]
ROOT_URLCONF = 'ssoLogin.urls'
# Password validation
# https://docs.djangoproject.com/en/4.1/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
SSO_PRIVATE_KEY='ttVCo7bewsATjEPS7CNHd4tIk1ayyBKb1qbPk5DxWZiK4pvyLZQtnpinjPh6fWr3'
SSO_PUBLIC_KEY='hGtAakAg7Sh3SffSs2obwAAflMuzbbLBUJUHpk6WrFnxhA9b78EHNoTOr0DsDho3'
SSO_SERVER='http://127.0.0.1:8000/server'
I used "simple-sso" module correctly according to documentation.
I think everything of config(settings.py) is ok but i don't know urls and views are correct.
Anyway this is my configuration in urls.py.
Following code:
from django.contrib import admin
from django.urls import path, include, re_path
from simple_sso.sso_server.server import Server
from simple_sso.sso_client.client import Client
from django.conf import settings
test_client = Client(settings.SSO_SERVER, settings.SSO_PUBLIC_KEY, settings.SSO_PRIVATE_KEY)
test_server = Server()
urlpatterns = [
path('polls/', include('polls.urls')),
path('admin/', admin.site.urls),
re_path(r'^server/', include(test_server.get_urls())),
re_path(r'^client/', include(test_client.get_urls())),
]
Server and Client object imported correctly.
I think client is working good but I dont know Server works.
Maybe Server doesn't work correctly.
Need to solve this.
A: *
*first error message (original posted question)
SSO_SERVER needs a slash at the end:
SSO_SERVER='http://127.0.0.1:8000/server/'
*subsequent error message (from comment below):
Root cause is the coexistance of server and client in one app.
when you request /client/ there will be a request to get a token:
(see https://github.com/divio/django-simple-sso/blob/master/simple_sso/sso_client/client.py)
class LoginView(View):
...
def get(self, request):
...
request_token = self.client.get_request_token(redirect_to)
...
which will built an url from
SSO_SERVER='http://127.0.0.1:8000/server/' + reverse('simple-sso-request-token')
because you have the server in your server urls, reverse('simple-sso-request-token') returns "/server/request-token/"
Together you get
http://127.0.0.1:8000/server/server/request-token/
I am not sure if the path name "simple-sso-request-token" is needed somewhere else - if not, you could just "overwrite" it by adding a line with a dummy view to the urls.py just to make the reverse result change:
urlpatterns = [
path('polls/', include('polls.urls')),
path('admin/', admin.site.urls),
re_path(r'^server/', include(test_server.get_urls())),
re_path(r'^client/', include(test_client.get_urls())),
path("request-token/", some_dummy_view , name='simple-sso-request-token'), # this is only to force reverse("simple-sso-request-token") to return "request-token/"
]
(reverse() returns the last path in the urlpatterns list)
This will lead to
http://127.0.0.1:8000/server/request-token/
hope there is no further error messages
| {
"language": "en",
"url": "https://stackoverflow.com/questions/75146472",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: SwiftUI button in navigation bar only works once Moving a button up into the navigation bar only triggers once when it has a sheet attached. The button is used to show a search window but once the popup is closed the button remains inactive.
The attached code is a simplified version of what I tried. At first I used a button in the main part to activate the search window but I thought that the navigation bar would take less space. The activation worked but in that case I couldn't deactivate it.
import SwiftUI
struct ContentView: View {
@State var showingSearch: Bool = false
var body: some View {
NavigationView {
VStack {
Text("Hello World!")
Button(
action: { self.showingSearch = true },
label: { Image(systemName: "magnifyingglass") }
)
.sheet(
isPresented: $showingSearch,
content: { Search( showingSearch: self.$showingSearch ) }
)
}
.navigationBarItems(
leading: Image(systemName: "square.and.pencil"),
trailing: Button(
action: { self.showingSearch = true },
label: { Image(systemName: "magnifyingglass") }
)
.sheet(
isPresented: $showingSearch,
content: { Search( showingSearch: self.$showingSearch ) }
)
)
}
}
}
struct Search: View {
@Binding var showingSearch: Bool
var body: some View {
NavigationView {
Text("Search")
.navigationBarTitle("Search", displayMode: .inline)
.navigationBarItems(trailing:
Button(
action: { self.showingSearch = false },
label: {Image(systemName: "clear") }
)
)
}
}
}
#if DEBUG
struct ContentView_Previews: PreviewProvider {
static var previews: some View {
ContentView()
}
}
#endif
I expect that the two buttons should behave the same. Both magnifying glasses should activate the search window and the clear button should deactivate it ready for a new attempt but it appears that button in the navigation bar isn't seeing the change in showingSearch.
A: It's a known bug related to navigation bar items and not relegated to just sheets, it seems to affect any modal, and I've encountered it in IB just the same when using modal segues.
Unfortunately this issue is still present in 11.3 build, hopefully they get this fixed soon.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/57162633",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "5"
} |
Q: Microsoft SQL Server 2014 Express Size Limit I am transferring all of my projects to a newly owned VPS server. I have successfully configured the server and everything works perfect. However, I've learned Express version only have 10 gigs of database limit. Now I am a bit confused in that. 10 Gigabytes of limit is for one single database or all of the database's total size should be under 10 gigabytes? And it says I can actually create 50 different server instances on express version. So even if I have 10 gigs of limit per server, I can actually have 500 gigs of space in total by creating instances?
Cheers.
A: As I Know, It should be 10 gigabytes for one single database not for all, and about your last question, It shouldn't be like this. the limit is 10 gigs for each database and I don't think there is any limit for servers.
and also this site might help you find out more about this.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/28009657",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Retrieving information about an Image Good day,
Anybody knows of a good java library for retrieving mime type and dimension of a jpeg, gif, and png image file in java?
I tried javax.imageio.ImageIO but it seems that there are some image files that it can't handle (i.e. images created with adobe photoshop).
Thanks,
Franz
A: You could try Apache Sanselan for the dimension and Droid for the identification.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/1292744",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: JMeter Regular Expression to extract number I want to extract letters-number from response data and tried few regex but none are working.
E.g. the response data (json) will contain something like:
"sessionId":"WC-123"
And I want to extract value of sessionId i.e. WC-123 and store it in variable so that it can be used in other tests.
The format of sessionId will not change. It's WC-(Number).
A: '"sessionId":"(WC-\d+)"'
that should work though i don't know jmeter
A: Expected: Needs to Get the Session Id values
Given formats: "sessionId":"WC-123"
We need to create the following regex formats to extract the session Id values
Regular Expression formats
"sessionId":"(.+)"
| {
"language": "en",
"url": "https://stackoverflow.com/questions/15697287",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Store date and time in sql server 2012 using c# i want to store date and time in SQL Server 2012 using asp.net but generate some error "Conversion failed when converting date and/or time from character string."
protected void btn Submit_Click(object sender, EventArgs e)
{
lbldate.Text = Convert.ToDateTime(this.txtdate.Text).ToString("dd/MM/yyyy");
lbltime.Text = Convert.ToDateTime(this.txttime.Text).ToLongTimeString();
TimeSpan time = new TimeSpan();
time.ToString();
SqlConnection con = new SqlConnection(@"Data Source=DESKTOP-O6SE533;Initial Catalog=Datertime;Integrated Security=True;Connect Timeout=15;Encrypt=False;TrustServerCertificate=False");
SqlCommand cmd = new SqlCommand("insert date,time into DateTimedemo values('" +txtdate.Text + "','"+txttime.Text+"')", con);
con.Open();
int r = cmd.ExecuteNonQuery();
if (r > 0)
{
Response.Write("success");
}
else
{
Response.Write("failed");
}
}
A: Use parameterized SQL instead of building the SQL dynamically. This avoids SQL injection attacks and string formatting differences, as well as making the code clearer.
Additionally, I believe both "date" and "time" are keywords in T-SQL, so you should put them in square brackets when using them as field names.
You should attempt to perform as few string conversions as possible. Without knowing exactly what your web page looks like it's hard to know exactly how you want to parse the text, but assuming that Convert.ToDateTime is working for you (sounds worryingly culture-dependent to me) you'd have code like this:
protected void btn Submit_Click(object sender, EventArgs e)
{
// TODO: Ideally use a date/time picker etc.
DateTime date = Convert.ToDateTime(txtdate.Text);
DateTime time = Convert.ToDateTime(txttime.Text);
// You'd probably want to get the connection string dynamically, or at least have
// it in a shared constant somewhere.
using (var con = new SqlConnection(connectionString))
{
string sql = "insert [date], [time] into DateTimeDemo values (@date, @time)";
using (var cmd = new SqlCommand(sql))
{
cmd.Parameters.Add("@date", SqlDbType.Date).Value = date;
cmd.Parameters.Add("@time", SqlDbType.Time).Value = time.TimeOfDay;
int rows = cmd.ExecuteNonQuery();
string message = rows > 0 ? "success" : "failed";
Response.Write(message);
}
}
}
I've guessed at what SQL types you're using. If these are meant to represent a combined date and time, you should at least consider using a single field of type DateTime2 instead of separate fields.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/49767682",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: Filter on http get response- angularjs <div ng-repeat="dat in details | filter : { dat.product_name : textname}">
<hr/>
<p style="color:#4C97C8;" class="lead"><strong>{{dat.product_name}}</strong></p>
</div>
is i am doing any mistake?
A: Just remove the .dat prefix in filter: {dat.product_name : textname}.
<div ng-repeat="dat in details | filter: {product_name : textname}">
<hr/>
<p style="color:#4C97C8;" class="lead"><strong>{{dat.product_name}}</strong></p>
<ul>
<li><b>Product:</b><span> {{dat.product_name}}</span></li>
<li><b>Product Manager:</b><span> {{dat.first_name}}{{dat.last_name}}</span></li>
<li><b>Product Line:</b><span> {{dat.productline_name}}</span></li>
</ul>
</div>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/41243180",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Integration of a 3D matrix over one direction Want to integrate a 3D matrix of size n*m*p (n rows, m columns and p slices) numerically using the Trapez rule over the third dimension, i.e., over the slices direction, in MATLAB without using any loops.
Following is my attempt, for an integrand function f(i,j,x) = cos(i+j+x), from x = 0 to pi:
i = 1:3;
j = 1:4;
x = 0:0.1:3.14;
[I,J,X] = ndgrid(i,j,x);
INTEGRAND = cos(I+J+X)
INTEGRAL = trapz(x, INTEGRAND(:,:,X));
Unfortunately, this doesn't work. Please help !
A: If you want to integrate over the third dimension using trapz you need to specify the dimension of integration as the third argument.
From the MathWorks page for trapz:
Q = trapz(Y)
Q = trapz(X,Y)
Q = trapz(___,dim)
You will need to use something like:
INTEGRAL = trapz(x, INTEGRAND, 3);
| {
"language": "en",
"url": "https://stackoverflow.com/questions/70899135",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to append custom td to table generated from two-dimensional array? I am working on the following code. I am trying to work out why I am not able to append all <td> in one row? What I want to do is appending a custom <td> at begging of each rows in a way to look like:
<tr>
<td>Defult TD</td>
<td>52</td>
<td>16</td>
<td>140</td>
<tr>
<tr>
<td>Defult TD</td>
<td>54</td>
<td>16</td>
<td>145</td>
<tr>
but what I am getting is
<tr>
<td>Defult TD</td>
</tr>
<tr>
<td>52</td>
<td>16</td>
<td>140</td>
<tr>
<tr>
<td>Defult TD</td>
</tr>
<tr>
<td>54</td>
<td>16</td>
<td>145</td>
<tr>
var sizes= [
[52, 16, 140],
[54, 16, 145]
];
var table = $('#size-rows');
var row, cell;
for (var i = 0; i < sizes.length; i++) {
row = $('<tr />');
table.append(row);
cell = $('<td>Default TD</td>')
for (var j = 0; j < sizes[i].length; j++) {
cell.append('<td>' + sizes[i][j] + '</td>');
row.append(cell);
}
}
td{
border:1px solid #ddd;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<table>
<tbody id="size-rows"> </tbody>
</table>
A: You're appending to the <td>, instead, append the cell and the next <td>'s to the row:
var sizes = [
[52, 16, 140],
[54, 16, 145]
];
var table = $('#size-rows');
var row, cell;
for (var i = 0; i < sizes.length; i++) {
row = $('<tr />');
table.append(row);
cell = $('<td>Default TD</td>');
row.append(cell);
for (var j = 0; j < sizes[i].length; j++) {
row.append('<td>' + sizes[i][j] + '</td>');
}
}
td {
border: 1px solid #ddd;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<table>
<tbody id="size-rows"> </tbody>
</table>
A: here is a solution using the map function.
var sizes= [
[52, 16, 140],
[54, 16, 145]
];
$('#size-rows').append(
sizes.map(
x => `<tr>
<td>Default TD</td>${x.map(y => `<td>${y}</td>`)}
</tr>`
)
);
td{
border:1px solid #ddd;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<table>
<tbody id="size-rows"> </tbody>
</table>
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55192470",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Spring Boot, JPA, OrderForm I want to make an orderform with spring boot where I can Save the order with more order items.
I dont't know how to implement the Service, Class and even the thymeleaf page for this.
Any hint would be great!
Here's a picture what I want to make
An here's my two entity class(no getters and setters, and customer for brevity)
@Entity
@Table(name = "order_item")
public class OrderItem {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private int id;
@ManyToOne(fetch = FetchType.LAZY)
@JoinColumn(name = "order_id")
private Order order;
@ManyToOne(fetch = FetchType.LAZY)
@JoinColumn(name = "product_id")
private Product product;
private int qty;
private double amount;
public OrderItem() {}
public OrderItem(int id, Order order, Product product, int qty, double amount) {
super();
this.id = id;
this.order = order;
this.product = product;
this.qty = qty;
this.amount = amount;
}
@Entity
@Table(name="order")
public class Order {
@Id
@GeneratedValue(strategy=GenerationType.IDENTITY)
private int id;
private Date dateTime;
private double total;
private int paidStatus;
@ManyToOne(fetch = FetchType.LAZY)
@JoinColumn(name="customer_id")
private Customers customer;
@OneToMany(mappedBy="customOrder")
private List<OrderItem> orderItems;
A: You simply need to create a repository, service and controller.
1. First, let's create repositories for our models.
public interface CustomerRepository extends JpaRepository<Customer, Long> {}
public interface ProductRepository extends JpaRepository<Product, Long> {}
public interface OrderRepository extends JpaRepository<Order, Long> {}
2. Second, let's create our service layer.
(Note: I gathered all the functionality here for an example.You can distribute it to different layers.)
public interface OrderService {
List<Customer> findAllCustomers();
List<Product> findAllProducts();
List<Order> findAllOrders();
}
@Service
public class OrderServiceImpl implements OrderService {
private final CustomerRepository customerRepository;
private final ProductRepository productRepository;
private final OrderRepository orderRepository;
public OrderServiceImpl(CustomerRepository customerRepository,
ProductRepository productRepository,
OrderRepository orderRepository) {
this.customerRepository = customerRepository;
this.productRepository = productRepository;
this.orderRepository = orderRepository;
}
@Override
public List<Customer> findAllCustomers() {
return customerRepository.findAll();
}
@Override
public List<Product> findAllProducts() {
return productRepository.findAll();
}
@Override
public List<Order> findAllOrders() {
return orderRepository.findAll();
}
}
3. Now add a controller layer, this will reply to your urls. (Note: here are simple examples just to help you understand the operation. You can come up with many different solutions.)
@Controller
@RequestMapping("/order")
public class OrderController {
private final OrderService orderService;
public OrderController(OrderService orderService) {
this.orderService = orderService;
}
@GetMapping("/create")
public String createOrder(Model model) {
model.addAttribute("customers", orderService.findAllCustomers());
model.addAttribute("products", orderService.findAllProducts());
model.addAttribute("order", new Order());
return "order-form";
}
@PostMapping("/insert")
public String insertOrder(Model model, Order order) {
// Save operations ..
return "order-view";
}
}
4. Here, customers and products come from your database.
The 'Submit Form' button will be sending the entity id's of the selections here to the insertOrder method. (You can duplicate your other fields in a similar way and I recommend you to examine the example in this link to dynamically duplicate this product selection area.)
<!DOCTYPE HTML>
<html lang="en" xmlns:th="http://www.thymeleaf.org">
<body>
<div>
<form action="/order/insert" method="post" th:object="${order}">
<p>
<label>Select Customer</label>
</p>
<p>
<select name="customer.id">
<option th:each="customer : ${customers}"
th:value="${customer.id}"
th:text="${customer.name}">Customer Name</option>
</select>
</p>
<p>
<label>Select Product</label>
</p>
<p>
<select name="orderItems[0].product.id">
<option th:each="product : ${products}"
th:value="${product.id}"
th:text="${product.name}">Product Name</option>
</select>
<input type="text" name="orderItems[0].quantity" />
</p>
<button type="submit">Submit Form</button>
</form>
</div>
</body>
</html>
I recommend you to read this example, which has scope for necessary library and spring settings.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/65436023",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to download LLVM for redhat 32 bits I want to download LLVM for red hat 32-bit. Have searcher for it on official site of LLVM but can't find it. Can any one help?
A: Step by step:
Install gcc
sudo yum install gcc
Install LLVM & Clang
sudo yum install clang
Check the installed versions, and see their locations.
clang --version
May say: clang version 3.4.2 (tags/RELEASE_34/dot2-final)
which clang
/usr/bin/clang
gcc --version
May say: gcc (GCC) 4.4.7 20120313 (Red Hat 4.4.7-11)
g++ --version
May say: g++ (GCC) 4.4.7 20120313 (Red Hat 4.4.7-11)
which gcc
/usr/bin/gcc
which g++
/usr/bin/g++
| {
"language": "en",
"url": "https://stackoverflow.com/questions/34726461",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: onTabSelected not refreshing the fragment Hi i am trying to develop an action bar navigation screen in which i m displaying two tabs.I am activating the fragments in onTabselected listener. But until i call fragementtransaction.commit() changes are not reflecting.It works only one time, i mean, if i switch to tab2 and comeback to tab1 again, the fragment is not refreshed.When switched to tab2, the content of tab2 is drawn on top of the tab1, looks like overlapping. i m posting my code here, please help me in solving this issue.
Here is my Class:
public class ContentActivity extends FragmentActivity {
@Override
protected void onCreate(Bundle arg0) {
this.requestWindowFeature(Window.FEATURE_ACTION_BAR);
// this.getWindow().setFlags(WindowManager.LayoutParams.FLAG_DIM_BEHIND,
// WindowManager.LayoutParams.FLAG_DIM_BEHIND);
//this.getWindow().setDimAmount((float) 30.0);
LayoutParams params = this.getWindow().getAttributes();
params.height = LayoutParams.WRAP_CONTENT; //fixed height
params.width = LayoutParams.MATCH_PARENT; //fixed width
this.getWindow().setGravity(Gravity.START);
this.getWindow().setAttributes((android.view.WindowManager.LayoutParams) params);
super.onCreate(arg0);
setContentView(R.layout.layout_content);
ActionBar actionbar = getActionBar();
actionbar.setNavigationMode(ActionBar.NAVIGATION_MODE_TABS);
ActionBar.Tab BookMarkTab = actionbar.newTab().setText("BookMarks");
ActionBar.Tab NotesTab = actionbar.newTab().setText("Notes");
// Fragment bookMarkFragment = new BookMarkFragment();
//Fragment notesFragment = new NotesFragment();
BookMarkTab.setTabListener(new ContentTabListner(BookMarkFragment.class,"BookMarks"));
NotesTab.setTabListener(new ContentTabListner(NotesFragment.class,"Notes"));
actionbar.addTab(BookMarkTab);
actionbar.addTab(NotesTab);
}
class ContentTabListner implements ActionBar.TabListener {
private Fragment fragment;
private Class mclz;
private String mTag;
android.support.v4.app.FragmentTransaction fft = ContentActivity.this
.getSupportFragmentManager().beginTransaction();
public ContentTabListner(Class clazz,String tag) {
mclz = clazz;
mTag = tag;
fragment = ContentActivity.this.getSupportFragmentManager().findFragmentByTag(mTag);
if (fragment != null && !fragment.isDetached()) {
android.support.v4.app.FragmentTransaction ft = ContentActivity.this.getSupportFragmentManager().beginTransaction();
ft.detach(fragment);
ft.commit();
}
}
@Override
public void onTabReselected(Tab tab, android.app.FragmentTransaction ft) {
}
@Override
public void onTabSelected(Tab tab, android.app.FragmentTransaction ft) {
if(fragment == null){
fragment = Fragment.instantiate(ContentActivity.this, mclz.getName(),null);
fft.add(android.R.id.content,fragment, mTag);
fft.commit();
}else{
fft.attach(fragment);
}
}
@Override
public void onTabUnselected(Tab tab, android.app.FragmentTransaction ft) {
if(fragment != null){
fft.detach(fragment);
}
}
}
}
A: I suggest to use Activity instead of FragmentActivity.Hope it works
| {
"language": "en",
"url": "https://stackoverflow.com/questions/15401267",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Django - Admin custom field display & behavior Let's imagine this model:
class ScribPart(models.Model):
name = models.CharField(max_length=50, unique=True)
text = models.TextField()
I'd like to attach a specific class to the field text and call a specific js file. So that the admin page would be like:
...
<script type="text/javascript" src="/static/js/mymarkup.js"></script>
...
<textarea id="id_text" name="text" class="mymarkup"></textarea>
...
How can I do that with a widget and/or custom admin form ?
A: To insert a <script> in an admin page the simplest thing to do is:
class ScribPartAdmin(model.ModelAdmin):
...
your normal stuff...
...
class Media:
js = ('/path/to/your/file.js',)
ModelAdmin media definitions documentation
Now to add the class attribute to the textarea I think the simplest way to do it is like this:
from django import forms
class ScribPartAdmin(model.ModelAdmin):
...
your normal stuff...
...
class Meta:
widgets = {'text': forms.Textarea(attrs={'class': 'mymarkup'})}
Overriding the default widgets documentation
I should add that this approach is good for a one shot use. If you want to reuse your field or JS many times, there's better ways to do it (custom widget for the field, with JS file specified if the JS is exclusively related to the field, extending template to include a JS file at many places).
A: You have to create a template, put it in templates/admin/change_form_scribpart.html with this content:
{% extends "admin/change_form.html" %}
{% load i18n %}
{% block content %}
<script type="text/javascript" src="/static/js/mymarkup.js"></script>
{{ block.super }}
{% endblock %}
Also, don't forget to activate this new admin template in your ScribPart ModelAdmin:
class ScribPartAdmin(admin.ModelAdmin):
ordering = ...
fieldsets = ...
change_form_template = "admin/change_form_scribpart.html"
A: You can send your form with json pack and get(check) with this code
results = ScribPart.all()
for r in results :
if r.test == id_text:
self.response.out.write("<script type='text/javascript' src='/static/js/"+r.name+"mymarkup.js'></script>")
| {
"language": "en",
"url": "https://stackoverflow.com/questions/7027752",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: How to fix input issue in CodeMirror I'm trying to get code mirror to read and display the contents of a file into the textarea, but everytime I load a file, it prints the contents as one line, ignoring all line breaks, and if I try to manually enter text into the text field, it automatically tabs every line after the first.
Proper text form file format:
Proper textarea styling:
Unfortunate result of selecting a file (this text format won't function with the compile button):
Full HTML code (with suggested edits; still not working):
<!DOCTYPE html>
<html lang="en_US">
<head>
<title>Phoenix - UMSL's Online Assembly Code Compiler</title>
<meta charset="UTF-8"/>
<meta name="viewport" content="width=device-width, initial-scale=1 shrink-to-fit=no" />
<link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/css/bootstrap.min.css" integrity="sha384-MCw98/SFnGE8fJT3GXwEOngsV7Zt27NXFoaoApmYm81iuXoPkFOJwJ8ERdknLPMO" crossorigin="anonymous">
<script src="https://code.jquery.com/jquery-3.3.1.slim.min.js" integrity="sha384-q8i/X+965DzO0rT7abK41JStQIAqVgRVzpbzo5smXKp4YfRvH+8abtTE1Pi6jizo" crossorigin="anonymous"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/popper.js/1.14.3/umd/popper.min.js" integrity="sha384-ZMP7rVo3mIykV+2+9J3UJ46jBk0WLaUAdn689aCwoqbBJiSnjAK/l8WvCWPIPm49" crossorigin="anonymous"></script>
<script src="https://stackpath.bootstrapcdn.com/bootstrap/4.1.3/js/bootstrap.min.js" integrity="sha384-ChfqqxuZUCnJSK3+MXmPNIyE6ZbWh2IMqE241rYiqJxyMiZ6OW/JmZQ5stwEULTy" crossorigin="anonymous"></script>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/js/bootstrap.min.js"></script>
<link rel="stylesheet" href="https://code.jquery.com/ui/1.12.1/themes/base/jquery-ui.css">
<script src="https://code.jquery.com/jquery-1.12.4.js"></script>
<script src="https://code.jquery.com/ui/1.12.1/jquery-ui.js"></script>
<script src="codemirror/lib/codemirror.js"></script>
<link rel="stylesheet" href="codemirror/lib/codemirror.css">
<link rel="stylesheet" href="codemirror/theme/colorforth.css">
<script src="codemirror/mode/javascript/javascript.js"></script>
<script src="codemirror/mode/cobol/cobol.js"></script>
<link rel="stylesheet" href="CSS/styling.css">
<script src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.46.0/codemirror.min.js"></script>
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.46.0/codemirror.min.css">
</head>
<body>
<fieldset>
<!-- Form Name -->
<nav class="navbar navbar-expand-lg navbar-expand-lg" style="border-bottom: 5px solid white;">
<a class="navbar-brand" href="./homepage.html"> <img src="IMGS/phoenix-small.png">PHOENIX</a>
<button class="navbar-toggler" type="button" data-toggle="collapse" data-target="#navbarSupportedContent" aria-controls="navbarSupportedContent" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarSupportedContent">
<ul class="navbar-nav mr-auto">
<li class="nav-item dropdown">
<a class="nav-link dropdown-toggle" href="#" id="navbarDropdown" role="button" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false">
Dropdown
</a>
<div class="dropdown-menu" aria-labelledby="navbarDropdown">
<a class="dropdown-item" href="./homepage.html">Home</a>
<a class="dropdown-item" href="./reference.html">Reference</a>
<div class="dropdown-divider"></div>
<a class="dropdown-item" href="./about.html">About Team Phoenix</a>
</div>
</li>
</ul>
</div>
<a style="color:white;">UMSL's Online Assembly Code Compiler</a>
</nav>
<div class="WORKPLEASE" style="max-width: 98%;">
</br>
</br>
</br>
</br>
</br>
<!-- File Button -->
<div class="form-group">
<label class="row justify-content-md-center" for="filebutton" style="font-size: 40px">Choose a file to compile: </br></label>
<div class="row justify-content-md-center">
<input id="filebutton" name="filebutton" class="input-file" type="file">
<!--File Upload Script -->
<script type="text/javascript" src="fileUploadScript.js"></script>
</div>
</div>
</br>
<div class="row justify-content-md-center">
<p style="font-size: 40px;"> or... </br></p>
</div>
</br>
<!-- Textarea -->
<div class="form-group">
<label class="row justify-content-md-center" for="textarea" style="font-size: 40px">Write the file in the text field below: </br></label>
<div class="col-md-6 offset-md-3">
<div id="textarea" name="textarea" placeholder="Type your code here!" style="min-height: 250px; min-width: 100%; border-style: solid;"></div>
<script>
let editor = CodeMirror(document.getElementById("textarea"),{
lineNumbers: true,
mode: "cobol",
theme: "colorforth"
});
document.getElementById("filebutton").addEventListener('change', function() {
var fr = new FileReader();
fr.onload = function() {
editor.setValue(this.result); // Need to use the setValue method
//document.getElementById("textarea").textContent = this.result;
}
fr.readAsText(this.files[0]);
})
</script>
</div>
</div>
<!-- Button -->
<div class="form-group">
<label class="row justify-content-md-center" for="singlebutton"></label>
<div class="row justify-content-md-center">
<button id="textareabutton" name="singlebutton" class="btn btn-primary" onclick="main()" style="background-color:red; border-color:red;">Compile</button>
<script src="assmblyCode.js"></script>
</div>
</div>
</div>
</fieldset>
<!--<div id="footer">-->
<!--<p style="padding-top: 25px;">-->
<!--© Copyright 2019 Team Phoenix-->
<!--</p>-->
<!--</div>-->
</body>
</div>
The styling.css file:
/* Color assignment */
body {
background-image: url("../IMGS/binary.gif");
background-color: #cccccc;
}
.form-group{background-color:black;}
head {background-color: firebrick;}
h1 {color: blue}
h2 {color: snow}
nav {background-color: firebrick;}
a {color: snow;}
div {color: Azure}
/*italicizes and specifies which page you are on with color*/
a:hover{font-style: italic;}
/* alignment and font size */
head { font-size: 20pt}
h1 {text-align: center}
h2 {text-align: center}
h2 {font-size: 22pt}
.argname {font-size: 20px; text-decoration: underline; padding-top: 10px; background-color: black;}
.sides{ width:50%; float:left; padding-left: 20px}
.LI-profile-badge{
width:25%;
float:left;
padding-left: 20px;
}
#footer {
position: fixed;
bottom: 0;
width: 100%;
height: 70px;
background-color: black;
text-align: center;
}
The fileUploadScript.js used to load the file into the text area:
document.getElementById("filebutton").addEventListener('change', function () {
var fr = new FileReader();
fr.onload = function () {
document.getElementById("textarea").textContent = this.result;
}
fr.readAsText(this.files[0]);
})
//https://www.youtube.com/watch?v=QI_NClLxnF0
Hopefully someone can spot what's being done wrong.
A: CodeMirror has several Content manipulation methods. You will need to use the setValue method.
doc.setValue(content: string)
Set the editor content.
Please reference the following block of code for my suggestions.
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width">
<title>JS Bin</title>
<script src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.46.0/codemirror.min.js"></script>
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.46.0/codemirror.min.css">
</head>
<body>
<!-- File Button -->
<div class="form-group">
<label class="row justify-content-md-center" for="filebutton" style="font-size: 40px">Choose a file to compile:</label>
<div class="row justify-content-md-center">
<input id="filebutton" name="filebutton" class="input-file" type="file">
</div>
</div>
<div class="row justify-content-md-center">
<p style="font-size: 40px;"> or...</p>
</div>
<!-- Textarea -->
<div class="form-group">
<label class="row justify-content-md-center" for="textarea" style="font-size: 40px">Write the file in the text field below: </br>
</label>
<div class="col-md-6 offset-md-3">
<div id="textarea" name="textarea" placeholder="Type your code here!" style="min-height: 250px; min-width: 100%; border-style: solid; border-width: 1px; border-color: gray"></div>
<!-- This is where I think the problem is -->
<script>
let editor = CodeMirror(document.getElementById("textarea"), {
lineNumbers: true,
mode: "cobol",
theme: "colorforth"
});
document.getElementById("filebutton").addEventListener('change', function() {
var fr = new FileReader();
fr.onload = function() {
editor.setValue(this.result); // Need to use the setValue method
//document.getElementById("textarea").textContent = this.result;
}
fr.readAsText(this.files[0]);
})
</script>
<!-- This is where I think the problem is -->
</div>
</div>
<!-- Button -->
<div class="form-group">
<label class="row justify-content-md-center" for="singlebutton"></label>
<div class="row justify-content-md-center">
<button id="textareabutton" name="singlebutton" class="btn btn-primary" onclick="main()" style="background-color:red; border-color:red;">Compile</button>
</div>
</div>
</body>
</html>
More specifically, editor.setValue(this.result); is what got it working. Take a look at this JS Bin
In your fileUploadScript.js you must use editor.setValue().
document.getElementById("filebutton").addEventListener('change', function () {
var fr = new FileReader();
fr.onload = function () {
editor.setValue(this.result);
//document.getElementById("textarea").textContent = this.result;
}
fr.readAsText(this.files[0]);
})
You can't force the code into the textarea. It just won' work. You have to use the setValue method as shown above.
CodeMirror: Usage Manual.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/55942309",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Save the text-index encoding mapping So I am able to train a text classifier with Keras and I can save the model too. My question is when I load the model for predicting unknown texts, I have to encode my input text same way as it was encoded during the training process. How am I able to save the mapping during the training part and reload it when I make the prediction?
This is the code I am using to map words to indexes in training. I use VocabularyProcessor from tensorflow.
processor = learn.preprocessing.VocabularyProcessor(1000)
x = np.array(list(processor.fit_transform(x_raw)))
y = np.array(y_raw)
Thanks a lot!
A: Figured out:
processor.save(...)
and
learn.preprocessing.VocabularyProcessor.restore(...)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/44072716",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: How to pass $BUILD_NUMBER in jenkins on remote host I am trying to execute shell script on remote host but I am not sure how to pass Jenkins Environment Variable for Ex: BUILD_NUMBER
Execute shell script on remote host using ssh
SSH site
Could some one let me know how to do it?
Thanks
praveen
A: Just pass $BUILD_NUMBER as a parameter to your remote shell script when you fill out the Command field in your build step. For example:
Remote shell script contents:
echo "Build number is $1"
Command field contents:
"/path/to/myshellscript $BUILD_NUMBER"
A: Just in case somebody is still puzzling over this issue, as the SSH Exec command still behaves in the same undocumented way, you need to quote the parameters you wish to pass to the command, for example :
/path/to/script "$BUILD_NUMBER" "$GIT_BRANCH"
A: Using SSH plugin to execute ssh on remote host, do below :
export BUILD_NUMBER
/path/to/myshellscript
| {
"language": "en",
"url": "https://stackoverflow.com/questions/8347893",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "2"
} |
Q: jPlayer video not playing in iOs - iPad and iPhone My video is playing in all browsers for both PC and Mac - Chrome, Firefox, IE and Safari as well as Android tablets and phones. However, it will not play on an iPad or iPhone. I am testing on an iPad mini2 with iOS 9.2.
But when I sync the iPad with my computer and play the video in the iPad video app, it plays. So it seems to be an issue with JPlayer.
Here is the code I'm using:
<script type="text/javascript">
$(document).ready(function () {
$("#jquery_jplayer_1").jPlayer({
ready: function () {
$(this).jPlayer("setMedia", {
title: "POPPI-Introduction",
m4v: "/Video/POPPI-Introduction.m4v",
ogv: "/Video/POPPI-Introduction.ogv",
webmv: "/Video/POPPI-Introduction.webm"
});
},
cssSelectorAncestor: "#jp_container_1",
size: {
width: "640px",
height: "360px",
cssClass: "jp-video-360p"
},
swfPath: "/Content/scripts",
supplied: "m4v, ogv, webmv",
useStateClassSkin: true,
autoBlur: false,
smoothPlayBar: true,
keyEnabled: true,
remainingDuration: true,
toggleDuration: true
});
});
</script>
<div id="jp_container_1" class="jp-video " role="application" aria-label="media player">
<div class="jp-type-single">
<div id="jquery_jplayer_1" class="jp-jplayer"></div>
<div class="jp-gui">
<div class="jp-video-play">
<button class="jp-video-play-icon" role="button" tabindex="0">play</button>
</div>
<div class="jp-interface">
<div class="jp-progress">
<div class="jp-seek-bar">
<div class="jp-play-bar"></div>
</div>
</div>
<div class="jp-current-time" role="timer" aria-label="time"> </div>
<div class="jp-duration" role="timer" aria-label="duration"> </div>
<div class="jp-details">
<div class="jp-title" aria-label="title"> </div>
</div>
<div class="jp-controls-holder">
<div class="jp-volume-controls">
<button class="jp-mute" role="button" tabindex="0">mute</button>
<button class="jp-volume-max" role="button" tabindex="0">max volume</button>
<div class="jp-volume-bar">
<div class="jp-volume-bar-value"></div>
</div>
</div>
<div class="jp-controls">
<button class="jp-play" role="button" tabindex="0">play</button>
<button class="jp-stop" role="button" tabindex="0">stop</button>
</div>
<div class="jp-toggles">
<button class="jp-repeat" role="button" tabindex="0">repeat</button>
<button class="jp-full-screen" role="button" tabindex="0">full screen</button>
</div>
</div>
</div>
</div>
<div class="jp-no-solution">
<span>Update Required</span>
To play the media you will need to either update your browser to a recent version or update your <a href="http://get.adobe.com/flashplayer/" target="_blank">Flash plugin</a>.
</div>
</div>
</div>
A: Not enough reputation to comment.
Does the media actually load though? Or does it load but just not play? If it's the latter then this may be your problem.
JQuery jPlayer autoplay not working on ipad how to show controls
Answer from other thread:
You're not going to be able to play video from $(document).ready() or from jPlayer's ready event. IOS specifically prevents it
I can't test this because I don't have an Ipad, but this may be your problem.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/35454088",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Issue installing python 3.7.0 on win7 I am on windows 7 integral version, and can't install python 3.7.0 and I already updated it with SP1.
This is the log file of the failed setup:
[0BAC:07F4][2018-08-30T08:29:19]i001: Burn v3.11.1.2318, Windows v6.1 (Build 7600: Service Pack 0), path: C:\Users\me\AppData\Local\Temp\{220AB437-83C6-48A3-9C01-2AFBBD04E308}\.cr\python-3.7.0-amd64.exe
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'ActionLikeInstalling' to value 'Installing'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'ActionLikeInstallation' to value 'Setup'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'ShortVersion' to value '3.7'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'ShortVersionNoDot' to value '37'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'WinVer' to value '3.7'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'WinVerNoDot' to value '37'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'InstallAllUsers' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'InstallLauncherAllUsers' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'TargetDir' to value ''
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'DefaultAllUsersTargetDir' to value '[ProgramFiles64Folder]Python[WinVerNoDot]'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'TargetPlatform' to value 'x64'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'DefaultJustForMeTargetDir' to value '[LocalAppDataFolder]Programs\Python\Python[WinVerNoDot]'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'OptionalFeaturesRegistryKey' to value 'Software\Python\PythonCore\[WinVer]\InstalledFeatures'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'TargetDirRegistryKey' to value 'Software\Python\PythonCore\[WinVer]\InstallPath'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'DefaultCustomTargetDir' to value ''
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'InstallAllUsersState' to value 'enabled'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'InstallLauncherAllUsersState' to value 'enabled'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'CustomInstallLauncherAllUsersState' to value '[InstallLauncherAllUsersState]'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'TargetDirState' to value 'enabled'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'CustomBrowseButtonState' to value 'enabled'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_core' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_exe' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_dev' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_lib' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_test' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_doc' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_tools' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_tcltk' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_pip' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_launcher' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'Include_launcherState' to value 'enabled'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_symbols' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Include_debug' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'LauncherOnly' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'DetectedLauncher' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'DetectedOldLauncher' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'AssociateFiles' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'Shortcuts' to value '1'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'PrependPath' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'CompileAll' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing numeric variable 'SimpleInstall' to value '0'
[0BAC:07F4][2018-08-30T08:29:19]i000: Initializing string variable 'SimpleInstallDescription' to value ''
[0BAC:07F4][2018-08-30T08:29:19]i009: Command Line: '-burn.clean.room=D:\software\python-3.7.0-amd64.exe -burn.filehandle.attached=172 -burn.filehandle.self=180'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting string variable 'WixBundleOriginalSource' to value 'D:\software\python-3.7.0-amd64.exe'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting string variable 'WixBundleOriginalSourceFolder' to value 'D:\software\'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting string variable 'WixBundleLog' to value 'C:\Users\me\AppData\Local\Temp\Python 3.7.0 (64-bit)_20180830082919.log'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting string variable 'WixBundleName' to value 'Python 3.7.0 (64-bit)'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting string variable 'WixBundleManufacturer' to value 'Python Software Foundation'
[0BAC:07F4][2018-08-30T08:29:19]i000: Setting numeric variable 'CRTInstalled' to value 0
[0BAC:0E24][2018-08-30T08:29:19]i000: Did not find D:\software\unattend.xml
[0BAC:0E24][2018-08-30T08:29:19]i000: Setting string variable 'ActionLikeInstalling' to value 'Installing'
[0BAC:0E24][2018-08-30T08:29:19]i000: Setting string variable 'ActionLikeInstallation' to value 'Setup'
[0BAC:0E24][2018-08-30T08:29:19]i000: Setting version variable 'WixBundleFileVersion' to value '3.7.150.0'
[0BAC:0E24][2018-08-30T08:29:19]e000: Detected Windows 7 RTM
[0BAC:0E24][2018-08-30T08:29:19]e000: Service Pack 1 is required to continue installation
A: There is something wrong with your Service Pack 1 installation, try to reinstall it with these instructions;
*
*Go to the Windows 7 Service Pack 1 download page on the Microsoft website.
*Select Install Instructions to see which packages are available for download, and make note of the one that you need.
*Select the appropriate language from the drop-down list, and then select Download.
*Select the packages you need to install, select Next, and then follow the instructions to install SP1. Your PC might restart a few times during the installation.
*After SP1 is installed, sign in to your PC. You might see a notification indicating whether the update was successful. If you disabled your antivirus software before the installation, make sure you turn it back on.
More details: https://support.microsoft.com/en-us/help/15090/windows-7-install-service-pack-1-sp1
After this, try to install Python 3.7 normally again.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/52091532",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "-1"
} |
Q: Julia: How to save a figure without plotting/displaying it in PyPlot? I am using the PyPlot package in Julia to generate and save several figures. My current approach is to display the figure and then save it using savefig.
using PyPlot
a = rand(50,40)
imshow(a)
savefig("a.png")
Is there a way to save the figure without having to first display it?
A: Are you using the REPL or IJulia?
If you close the figure then it won't show you the plot. Is that what you want?
a = rand(50,40)
ioff() #turns off interactive plotting
fig = figure()
imshow(a)
close(fig)
If that doesn't work you might need to turn off interactive plotting using ioff() or change the matplotlib backend (pygui(:Agg)) (see here: Calling pylab.savefig without display in ipython)
Remember that most questions about plotting using PyPlot can be worked out by reading answers from the python community. And also using the docs at https://github.com/JuliaPy/PyPlot.jl to translate between the two :)
A: close() doesn't require any arguments so you can just call close() after saving the figure and create a new figure
using PyPlot
a = rand(50,40)
imshow(a)
savefig("a.png")
# call close
close()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/39562515",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "6"
} |
Q: Keeping track of more than one level of page referrers The scenario (all happening within the administration area/backend):
*
*From the listing page, the user clicks a link to view an article (on the backend).
*From the article view page, the user clicks a link to edit that article.
*In the article edit page, form is submitted to the current uri.
*If validation succeeds or user cancels, user is redirected to the article view page.
*From the article view page, the user click a 'back' link to return to the listing page.
List <--> View <--> Edit
Right now, I'm only able to track referring url from a previous page. In the edit form, I'm using a hidden field to maintain referral to the view page, lest it be changed during failed form POST submission to itself and user remains in the edit page.
Problem is that when the user returns to the view page from edit, the 'back' link to the listing page is now linked to the edit page.
FYI,
*
*The listing page url is dynamic as the user should return to the listing on the same page and sort order (stored in query strings); therefore a fixed url is out of the question.
*In the past, I've tried using sessions (e.g. SESSION['view_to_list_ref'] SESSION['edit_to_view_ref']), but it messed up with multiple tabs.
*I could transition between view/edit via ajax, but I'm hoping to keep the app simple and ajaxless at this point of time.
*I'm using PHP + Kohana 3.2 Framework
The only solution I can think of is to have the list page url encoded and appended to the 'view article' link via query string. This way, the location of the listing page is preserved even while in the edit page; as the referring url back to view page would also contain the listing page url in the query string. However I don't really like the idea of 'dirtying' the url with long parameter values (encoded or not).
I'm really hoping there is a more elegant solution to this problem of generally tracking multiple levels of page referrals; not just specifically to solving the scenario I've mentioned.
EDIT: Oh and the solution should be able to support multiple tabs performing the same scenario.
A: You could track the pages by using a unique identifying code in a PHP session, a temporary variable, and using a temporary database table that tracks page loads by these temporary values.
The database structure might be:
+-------------+-------------------+---------------------+
| Unique ID | Page Referral | Time of page load |
+-------------+-------------------+---------------------+
Tracking time of page load would allow you to selectively wipe loads older than X minutes, and keep the table relatively small.
Anyway, this would allow you to keep as many levels as you'd like, and if you wanted to add an auto incrementing counter field, or your own counter field, you could even keep a simple to use number system that tracks page loads, though I believe the time of page load would suffice for that scenario.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/10527649",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: STM32- RTOS -Task Notify From ISR I want to notify my task to run from an ISR. I red the RTOS docs but I could not do it. I would really appreciate if you tell me what I am supposed to do and give an example if it is possible. I used cmsis-V2.
Inside the ISR which I am sure the ISR works correctly I wrote:
void HAL_TIM_PeriodElapsedCallback(TIM_HandleTypeDef *htim)
{
/* USER CODE BEGIN Callback 0 */
/* USER CODE END Callback 0 */
if (htim->Instance == TIM15) {
HAL_IncTick();
}
/* USER CODE BEGIN Callback 1 */
if (htim == &htim16)
{
BaseType_t xHigherPriorityTaskWoken;
xHigherPriorityTaskWoken = pdFALSE;
vTaskNotifyGiveFromISR(ADXL_HandlerHandle , &xHigherPriorityTaskWoken);
portYIELD_FROM_ISR( xHigherPriorityTaskWoken );
}
/* USER CODE END Callback 1 */
}
I also used systick timer for FREE RTOS and timer 15 as the system timer . is it possible that the problem is related to this part ? I dout because task_notify_give function only add up and is not a blocking mechanism like semaphore.
and inside the thask, inside the for loop the first lines are:
ulNotifiedValue = ulTaskNotifyTake( pdFALSE, portMAX_DELAY);
if( ulNotifiedValue > 0 ){
//my codes ....
}
before for loop I defined:
uint32_t ulNotifiedValue;
but the task is not executed. even once.
I use Nucleo H755ZIQ.
before the definition of global variable, tasks are defined like this:
/* Definitions for ADXL_Handler */
osThreadId_t ADXL_HandlerHandle;
const osThreadAttr_t ADXL_Handler_attributes = {
.name = "ADXL_Handler",
.priority = (osPriority_t) osPriorityNormal,
.stack_size = 1024 * 4
};
then inside the main function initializing the schduler is as follows :
osKernelInitialize();
ADXL_HandlerHandle = osThreadNew(ADXL_Handler_TaskFun, NULL, &ADXL_Handler_attributes);
osKernelStart();
Then the timers will be started:
HAL_TIM_Base_Start_IT(&htim16);
In CMSIS there is no such a thing like task notification, I took a short look. The functions I used inside the ISR routine are from FreeRTOS. will not there a contradiction? should I use only Free RTOS task create function instead of CMSIS functions?
Thanks in advance.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/73765264",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Misunderstood code example I was reading this book http://publications.gbdirect.co.uk/c_book/chapter8/const_and_volatile.html and I stopped at one of the examples. In my opinion it is incorrect. I think, that there is no undefined behaviour. Am I wrong? Here it is:
Taking the address of a data object of a type which isn't const and
putting it into a pointer to the const-qualified version of the same
type is both safe and explicitly permitted; you will be able to use
the pointer to inspect the object, but not modify it. Putting the
address of a const type into a pointer to the unqualified type is much
more dangerous and consequently prohibited (although you can get
around this by using a cast). Here is an example:
#include <stdio.h>
#include <stdlib.h>
main(){
int i;
const int ci = 123;
/* declare a pointer to a const.. */
const int *cpi;
/* ordinary pointer to a non-const */
int *ncpi;
cpi = &ci;
ncpi = &i;
/*
* this is allowed
*/
cpi = ncpi;
/*
* this needs a cast
* because it is usually a big mistake,
* see what it permits below.
*/
ncpi = (int *)cpi;
/*
* now to get undefined behaviour...
* modify a const through a pointer
*/
*ncpi = 0;
exit(EXIT_SUCCESS);
}
Example 8.3
As the example shows, it is possible to take the address of a constant object, > generate a pointer
to a non-constant, then use the new pointer. This is an error in your
program and results in undefined behaviour.
In this example, ncpi finally points to i, not ci. So I think that that makes this example incorrect — there is no undefined behaviour in modifying a non-const variable via a pointer. Do you agree?
A: I agree: it is a flawed example. The code itself exhibits defined behavior.
The comment before the final assignment, *ncpi = 0;, disagrees with the code. Probably the author intended to do something different.
My first response was as if the code overwrote a const: I have revised my answer.
A: It's undefined because it might be stored in read only memory for example. This won't be the case on x86 systems, but here we have a whole slew of other problems, like aliasing issues if you enable heavy optimizations.
Either way, even just intuitively, why would you think modifying a const through a pointer to it that the compiler can't statically validate would be safe?
| {
"language": "en",
"url": "https://stackoverflow.com/questions/29996692",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: Why does Memcached add() always succeed, regardless of expire time? I'm adding a key using Memcached like so:
$valueToStore = time(); // some number
$success = $memcached->add( 'test_key', $valueToStore, 20 ); // cache for 20 seconds
But it's always succeeding when I call it in a different session, even before 20 seconds have passed. According to the docs at http://php.net/manual/en/memcached.add.php, it should be returning FALSE until the key expires (because the key already exists).
I'm running on a single development server with plenty of free cache space. Any idea what might be happening?
php -v returns: PHP 5.5.9-1ubuntu4.3
memcached version 2.1.0
libmemcached version 1.0.8.
A: You need to be distinct if you are using the Memcache class or the Memcached class. Your cache design is a bit strange. You should be checking the cache to first see if the item is there. If the item is not then store it. Also Memcache has some strange behavior on using the boolen type as the third argument. You should MEMCACHE_COMPRESSED. I think you are using Memcache.
To illustrate how to fix your problem:
$in_cache = $memcached->get('test_key');
if($in_cache)
return $in_cache;
else
$valueToStore = time();
$memcached->add('test_key', $valueToStore, MEMCACHE_COMPRESS, 20);
| {
"language": "en",
"url": "https://stackoverflow.com/questions/25276034",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Binding JQuery events JQuery events are annoying me. The thing is that I very often use
javascript (after ajax requests, etc.) to draw up new elements
(buttons, divs, etc.). I've got a list of elements
which you can press on an edit button so you can manipulate the one
linked to the selected edit button.
Now if someone submits a form to make a new element like the ones who
existed before, and I submit it with ajax and then I append or prepend
the new element into the list. After that the new edit button for the
new element isn't linked to JQuery's event system since the DOM hasn't
been reloaded after the edit button was made. If I call the same
javascript file with the events in it, then the edit button works but
then when people click other edit buttons the event happens twice for
them since they're bound twice. I've also used .bind() but that only
binds (I think) the same event twice as before. I don't remember at
the moment how I tested it. I haven't tested .one() but I would rather
not use it since some events must be called more than once.
I just wanted to ask you guys what approach you use when dealing with
the events?
P.S. I'm binding the JQuery event to the class attribute that all the elements have. If I was going to bind this to each element based on ID, then this wouldn't be a problem because then I would just use .bind(). By writing this I suddenly though of using .unbind() and then .bind() to link the elements to the events system. What do you think of that? Would you do it in another way?
Thanks in advance.
Kristinn.
A: You're looking to use $.fn.live:
$('a').live('click', function(e) {
e.preventDefault();
alert('im attached even if the DOM has been updated!');
});
http://docs.jquery.com/Events/live
A: Your question is a bit general, but I have a feeling that what you're looking for is jquery live
A: http://www.thewebsqueeze.com/tips-and-tricks/tip-for-jquery-live-event.html
http://simpable.com/code/jquery-live-events/
http://www.thefutureoftheweb.com/blog/jquery-live-events
http://kylefox.ca/blog/2009/feb/09/live-event-binding-jquery-13/
| {
"language": "en",
"url": "https://stackoverflow.com/questions/1449550",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: Trying to initialize karma config file using "karma init". but not working
I have installed the above packages of npm . Even reinstalled nodejs to its latest version. Still when I am giving command "karma init , its not executing anything that is it's not opening the karma config file set-up. Please help..
A: If you want to use the 'karma' command, you will need to install the following:
npm install -g karma-cli
As specified by th official documentation: you need a separate package to use karma within command line interface
Otherwise you would need to call karma from within the node_modules folder everytime
| {
"language": "en",
"url": "https://stackoverflow.com/questions/36952456",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "1"
} |
Q: How to declare and use a function in jQuery I am wondering how I should declare a function in a jQuery script.
What I've got now:
function adjust_menu() {
alert("test test");
};
but when I call it like this:
("#first_link").click(function() {
adjust_menu();
});
it doesn't work. What am I doing wrong?
A: This may be a typo, but you're missing the $ before the jQuery selector, and you need to be sure the DOM is ready before running this code:
$(function() {
$("#first_link").click(function() {
adjust_menu();
});
});
Doing $(function() { ... }); is a shortcut for jQuery's .ready() method which makes sure the DOM is ready before your code runs. Selecting first_link does no good if it doesn't exist yet. :o)
A: Unless it's a typo, you're missing the $ or jQuery at the start:
$("#first_link").click(function() {
adjust_menu();
});
Or a bit shorter, and maintaining context:
$("#first_link").click(adjust_menu);
In any case, you should be seeing an error in your console (provided you're executing this when #first_link is present (e.g. `document.ready)), always check your console to see what's blowing up.
A: EDIT: Your problem is definitely that you forgot the $ or jQuery before you used jQuery.
Also you can just do ("#first_link").click(adjust_menu)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/4092229",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "4"
} |
Q: Adding Sharepoint user remotely PowerShell script Running EnsureUser on an existing domain account give an error that the user could not be found. Same command(s) works fine in PowerShell on SharePoint server locally. I am able to create a SharePoint group remotely, just can't add a user to that group.
$site = new-object Microsoft.SharePoint.SPSite("http://sharepoint.company.com/dev")
$web = $site.OpenWeb()
function GrantUserpermission($userName)
{
$folder.BreakRoleInheritance("true")
$web.SiteGroups.Add("test_group", $web.Site.Owner, $web.Site.Owner, "Desc")
$ownerGroup = $web.SiteGroups["test_group"]
$ownerGroup.AllowMembersEditMembership = $true
$ownerGroup.Update()
$sitename = Get-SPWeb http://sharepoint.company.com/dev
$EnsuredUser = $sitename.EnsureUser("domain\user")
Set-SPUser -Identity $EnsuredUser -web $sitename -group "test_group"
$AddGroup = $web.SiteGroups["test_group"]
$roleAssignment = new-object Microsoft.sharepoint.SPRoleAssignment($AddGroup)
$roleDefinition = $web.RoleDefinitions["Contribute"]
$roleAssignment.RoleDefinitionBindings.add($roleDefinition)
$folder.RoleAssignments.Add($roleAssignment)
$folder.SystemUpdate()
A: Check if the domain user exists before use the EnsureUser method.
If you want to add SharePoint user to group in remote server, we can use CSOM with PowerShell to achieve it.
$url="http://sharepoint.company.com/dev"
$userName="administrator"
$password="**"
$domain="test"
$sGroup="test_group"
$sUserToAdd="domain\user"
$ctx = New-Object Microsoft.SharePoint.Client.ClientContext($url)
$credentials = New-Object System.Net.NetworkCredential($userName,$password,$domain)
$ctx.Credentials = $credentials
$groups=$ctx.Web.SiteGroups
$ctx.Load($groups)
#Getting the specific SharePoint Group where we want to add the user
$group=$groups.GetByName($sGroup)
$ctx.Load($group)
#Ensuring the user we want to add exists
$user = $ctx.Web.EnsureUser($sUserToAdd)
$ctx.Load($user)
$userToAdd=$group.Users.AddUser($user)
$ctx.Load($userToAdd)
$ctx.ExecuteQuery()
| {
"language": "en",
"url": "https://stackoverflow.com/questions/57130160",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: 'ld' cannot link symbols, although they are in library I have a problem while trying to compile and link my program with "dmalloc".
bin
+--dmalloc
include
+--dmalloc.h
lib
+--libdmalloc.a
+--libdmallocth.a
main.c
I have the following directory structure
Now I try to compile my program with the following command:
gcc -Iinclude -Llib -ldmalloc -DDMALLOC main.c
/tmp/ccSDFmWj.o: In function `main':
main.c:(.text+0x29): undefined reference to `dmalloc_malloc'
collect2: ld returned 1 exit status
Okay, I get that there's a problem with linking the symbols, ld simply cannot find reference to dmalloc_malloc. However...
nm lib/libdmalloc.a | grep dmalloc_malloc
0000000000001170 T dmalloc_malloc
0000000000000fe0 t dmalloc_malloc.part.6
I am puzzled... The symbol is there in that library. Why does 'ld' has problem with it?
A: List the libraries last:
gcc -Iinclude -Llib -DDMALLOC main.c -ldmalloc
| {
"language": "en",
"url": "https://stackoverflow.com/questions/9736589",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "4"
} |
Q: Fast Report displaying incorrect data from ADOQuery I have a problem with Fast Report displaying incorrect data from an ADOquery. I use the following sql.text
SELECT * FROM JOB_DATA
INNER JOIN CUSTOMER ON JOB_DATA.CUST_CODE = CUSTOMER.CUST_CODE
WHERE JOB_DATA.SHIP_DATE Between [Date1] And [Date2]
ORDER by SHIP_DATE
Fast Report only shows the data where SHIP_DATE = null.
If I throw up a TDBgrid and attach it to a data source attached to the same ADOquery, then the dbgrid shows exactly the correct information.
I'm out of ideas, any suggestions?
To answer questions about where the dates come from:
var
date1:string;
date2:string;
sql_str:string;
begin
date1:=inputbox('Date Range','Enter Beginning Date','');
Try
StrToDate(date1);
Except
On EConvertError Do
Begin
MessageDlg('Please enter a valid date. Format xx/xx/xx',
mtError, [mbOK], 0);
//ShowMessage('Please enter a valid date. Format `enter code here`xx/xx/xx');
Exit;
End;
End;
date2:=inputbox('Date Range','Enter Ending Date','');
Try
StrToDate(date2);
Except
On EConvertError Do
Begin
MessageDlg('Please enter a valid date. Format xx/xx/xx',
mtError, [mbOK], 0);
//ShowMessage('Please enter a valid date. Format `enter code here`xx/xx/xx');
Exit;
End;
End;
sql_str:= 'SELECT * FROM JOB_DATA INNER JOIN CUSTOMER ON ' +
'JOB_DATA.CUST_CODE = CUSTOMER.CUST_CODE ' +
'WHERE JOB_DATA.SHIP_DATE Between ';
sql_str:= sql_str+ ''' ';
sql_st:=sql_str + date1;
sql_str:= sql_str+ '''';
sql_str:= sql_str+ ' AND ';
sql_str:= sql_str+ ''' ';
sql_str:= sql_str+ date2;
sql_str:= sql_str+ ' ''';
with ADOQuery5 do
begin
Close;
SQL.Clear;
SQL.text:= sql_str;
Open;
end;
frxreport2.ShowReport();
end;
The ADOquery is attached to frxDBDataset2 which is attached to frxReport2. I am doing nothing to alter the results in the query.
No, I have no code in the report, it was all generated from the wizard.
A: FastReport cannot display records only where SHIP_DATE is NULL, because your query shouldn't be returning them based on your WHERE clause if Date1 and Date2 are properly assigned. This means that either your dataset and the FastReport aren't connected properly or that something in your code assigning the date values for the BETWEEN clause is wrong, and the dates aren't being provided to the query correctly.
The first place to start looking is to make sure that all of the report columns are correctly assigned the proper TfrxDataSet and the proper database column. (Click on the report item (text object or whatever it might be), and check its DataSet and DataField properties to ensure they are correct.)
If that's not the problem, it may be the way you're building your query, which probably isn't correctly formatting the dates for ADO. (You're just using whatever format happens to pass the StrToDate calls without raising an exception.)
The way you're setting up your SQL is really unadviseable. It's unreadable and unmaintainable when you try to manage quoting yourself in code.
You should use parameters, which first and foremost protects you against SQL injection, but also allows the database driver to properly format quoted values and dates for you and keeps things readable. (You can also use readable names for the parameters, so that when you see them six months from now you'll know what they mean.)
var
// Your other variable declarations here
StartDate, EndDate: TDateTime;
begin
Date1 := InputBox(Whatever);
try
StartDate := StrToDate(Date1);
except
// Handle EConvertError
end;
Date2 := InputBox(Whatever);
try
EndDate := StrToDate(Date2);
except
// Handle EConvertError
end;
sql_str := 'SELECT * FROM JOB_DATA J'#13 +
'INNER JOIN CUSTOMER C'#13 +
'ON J.CUST_CODE = C.CUST_CODE'#13 +
'WHERE J.SHIP_DATE BETWEEN :StartDate AND :EndDate';
with ADOQuery5 do
begin
Close;
// No need to clear. If you're using the same query more than once,
// move the SQL assignment and the Parameter.DataType somewhere
// else, and don't set them here.
// The query can be reused just by closing, changing parameter values,
// and reopening.
SQL.Text := sql_str;
with Parameters.ParamByName('StartDate') do
begin
DataType := ftDate;
Value := StartDate;
end;
with Parameters.ParamByName('EndDate') do
begin
DataType := ftDate;
Value := EndDate;
end;
Open;
end;
frxReport2.ShowReport;
end;
A: When I start having problems with ADO, I log the information.
You'll need to create your own logger...but here's the jest of it...Note it will log the parameter values that are being passed to the query, including the SQL.
procedure TLogger.SetUpConnectionLogging(aParent: TComponent);
var
a_Index: integer;
begin
for a_Index := 0 to aParent.ComponentCount - 1 do
if aParent.Components[a_Index] is TAdoConnection then
begin
TAdoConnection(aParent.Components[a_Index]).OnWillExecute := WillExecute;
TAdoConnection(aParent.Components[a_Index]).OnExecuteComplete := ExecuteComplete;
end;
end;
procedure TLogger.ExecuteComplete(Connection: TADOConnection;
RecordsAffected: Integer; const Error: Error; var EventStatus: TEventStatus;
const Command: _Command; const Recordset: _Recordset);
var
a_Index: integer;
begin
AddLog('AdoConnection ExecuteComplete', True);
AddLog('Execution In MilliSeconds', IntToStr(MilliSecondsBetween(Time, FDif)));
AddLog('Execution In Seconds', IntToStr(SecondsBetween (Time, FDif)));
AddLog('Execution In Minutes', IntToStr(MinutesBetween (Time, FDif)));
AddLog('CommandText', Command.CommandText);
if Assigned(Command) then
begin
AddLog('Param Count', IntToStr(Command.Parameters.Count));
for a_Index := 0 to Command.Parameters.Count - 1 do
begin
AddLog(Command.Parameters.Item[a_Index].Name, VarToWideStr(Command.Parameters.Item[a_Index].Value));
end;
AddLog('CommandType', GetEnumName(TypeInfo(TCommandType),Integer(Command.CommandType)));
end;
AddLog('EventStatus', GetEnumName(TypeInfo(TEventStatus),Integer(EventStatus)));
if Assigned(RecordSet) then
begin
AddLog('CursorType', GetEnumName(TypeInfo(TCursorType),Integer(Recordset.CursorType)));
AddLog('LockType', GetEnumName(TypeInfo(TADOLockType),Integer(Recordset.LockType)));
end;
AddLog('RecordsAffected', IntToStr(RecordsAffected));
AddLog('AdoConnection ExecuteComplete', False);
end;
procedure TLogger.WillExecute(Connection: TADOConnection;
var CommandText: WideString; var CursorType: TCursorType;
var LockType: TADOLockType; var CommandType: TCommandType;
var ExecuteOptions: TExecuteOptions; var EventStatus: TEventStatus;
const Command: _Command; const Recordset: _Recordset);
begin
AddLog('Connection WillExecute', True);
AddLog('Connection Name', Connection.Name);
AddLog('CommandText', CommandText);
AddLog('CommandType', GetEnumName(TypeInfo(TCommandType),Integer(CommandType)));
AddLog('EventStatus', GetEnumName(TypeInfo(TEventStatus),Integer(EventStatus)));
AddLog('CursorType', GetEnumName(TypeInfo(TCursorType),Integer(CursorType)));
AddLog('Connection WillExecute', False);
FDif := Time;
end;
| {
"language": "en",
"url": "https://stackoverflow.com/questions/18114360",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: Polymorphism in SignalR Having problem getting this to work.
I want my hub to handle a generic in the argument. So the parameter type is an abstract class which'll be implemented by a concrete generic type - since I can't possibly create a generic method. Like this:
public void Process(MyAbstractClass arg)
However the registration failed when I tell the client to serialize the type information.
This is the client (SignalR WinRT) serialization configuration.
_hubConnecton.JsonSerializer = new JsonSerializer()
{
PreserveReferencesHandling = PreserveReferencesHandling.Objects,
TypeNameHandling = TypeNameHandling.Objects,
TypeNameAssemblyFormat = FormatterAssemblyStyle.Simple
};
This is the error I got from fiddler trace:
[JsonSerializationException]: Could not load assembly 'Microsoft.AspNet.SignalR.Client'.
at Newtonsoft.Json.Serialization.DefaultSerializationBinder.GetTypeFromTypeNameKey(TypeNameKey typeNameKey)
at Newtonsoft.Json.Utilities.ThreadSafeStore`2.AddValue(TKey key)
at Newtonsoft.Json.Utilities.ThreadSafeStore`2.Get(TKey key)
at Newtonsoft.Json.Serialization.DefaultSerializationBinder.BindToType(String assemblyName, String typeName)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.ReadSpecialProperties(JsonReader reader, Type& objectType, JsonContract& contract, JsonProperty member, JsonContainerContract containerContract, JsonProperty containerMember, Object existingValue, Object& newValue, String& id)
[JsonSerializationException]: Error resolving type specified in JSON 'Microsoft.AspNet.SignalR.Client.Hubs.HubRegistrationData, Microsoft.AspNet.SignalR.Client'. Path '[0].$type', line 1, position 111.
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.ReadSpecialProperties(JsonReader reader, Type& objectType, JsonContract& contract, JsonProperty member, JsonContainerContract containerContract, JsonProperty containerMember, Object existingValue, Object& newValue, String& id)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.CreateObject(JsonReader reader, Type objectType, JsonContract contract, JsonProperty member, JsonContainerContract containerContract, JsonProperty containerMember, Object existingValue)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.CreateValueInternal(JsonReader reader, Type objectType, JsonContract contract, JsonProperty member, JsonContainerContract containerContract, JsonProperty containerMember, Object existingValue)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.PopulateList(IWrappedCollection wrappedList, JsonReader reader, JsonArrayContract contract, JsonProperty containerProperty, String id)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.CreateList(JsonReader reader, Type objectType, JsonContract contract, JsonProperty member, Object existingValue, String id)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.CreateValueInternal(JsonReader reader, Type objectType, JsonContract contract, JsonProperty member, JsonContainerContract containerContract, JsonProperty containerMember, Object existingValue)
at Newtonsoft.Json.Serialization.JsonSerializerInternalReader.Deserialize(JsonReader reader, Type objectType, Boolean checkAdditionalContent)
at Newtonsoft.Json.JsonSerializer.DeserializeInternal(JsonReader reader, Type objectType)
at Newtonsoft.Json.JsonSerializer.Deserialize(JsonReader reader, Type objectType)
at Newtonsoft.Json.JsonSerializer.Deserialize(TextReader reader, Type objectType)
at Microsoft.AspNet.SignalR.Json.JsonNetSerializer.Parse(TextReader reader, Type targetType)
at Microsoft.AspNet.SignalR.Json.JsonSerializerExtensions.Parse[T](IJsonSerializer serializer, String json)
at Microsoft.AspNet.SignalR.Hubs.HubDispatcher.AuthorizeRequest(IRequest request)
at Microsoft.AspNet.SignalR.PersistentConnection.Authorize(IRequest request)
at Microsoft.AspNet.SignalR.Owin.CallHandler.Invoke(IDictionary`2 environment)
at Microsoft.AspNet.SignalR.Owin.Handlers.HubDispatcherHandler.Invoke(IDictionary`2 environment)
at Microsoft.Owin.Host.SystemWeb.OwinCallContext.Execute()
at Microsoft.Owin.Host.SystemWeb.OwinHttpHandler.BeginProcessRequest(HttpContextBase httpContext, AsyncCallback callback, Object extraData)
--- End of stack trace from previous location where exception was thrown ---
at System.Runtime.ExceptionServices.ExceptionDispatchInfo.Throw()
at Microsoft.Owin.Host.SystemWeb.Infrastructure.ErrorState.Rethrow()
at Microsoft.Owin.Host.SystemWeb.CallContextAsyncResult.End(IAsyncResult result)
at Microsoft.Owin.Host.SystemWeb.OwinHttpHandler.EndProcessRequest(IAsyncResult result)
at System.Web.HttpApplication.CallHandlerExecutionStep.System.Web.HttpApplication.IExecutionStep.Execute()
at System.Web.HttpApplication.ExecuteStep(IExecutionStep step, Boolean& completedSynchronously)
Apparently it sends the type information during registration which causes the above error to get thrown
GET
http://127.0.0.1:81/signalr/connect?transport=serverSentEvents&connectionToken=JKbyIAOOvt5BYGu_Ly2Yk9dNYVR7B180TobrrJpc5BYN5-DxdSwXs6i71pF0nJrLC3C7kaB-4VwD8Lu76vgVbIoWLE5Ux42GhJOJ_REslxuvo0bcCkbvf3rfki3Rk6TJ0&connectionData=[%7B%22$id%22:%221%22,%22$type%22:%22Microsoft.AspNet.SignalR.Client.Hubs.HubRegistrationData,%20Microsoft.AspNet.SignalR.Client%22,%22Name%22:%22BusGatewayHub%22%7D]
HTTP/1.1
If I change the following line TypeNameHandling = TypeNameHandling.Objects to TypeNameHandling = TypeNameHandling.Auto, then I get an error complaining that MyAbstractClass cannot be instantiated because it's an abstract type.
It almost seems like I need to handle the serialization manually, but I rather avoid that if I could.
Thoughts?
A: This can be done but not easily - someone at the SignalR team must have been trying real hard to make it near impossible to extend the parsing routine.
I saw a bunch of JSonSerializer instantiation, instead of feeding the ones already registered in the GlobalConfig.
Anyways here's how to do it:
On client side, implement IHttpClient. This impelementation will strip out type information from the message envelope. We do NOT need to preserve type info on the envelope, as far as we're concerned one envelope is the same as another. It's the content Type that's important. Plus the envelope for WinRT references WinRT framework that is not compatible with the standard framework.
public class PolymorphicHttpClient : IHttpClient
{
private readonly IHttpClient _innerClient;
private Regex _invalidTypeDeclaration = new Regex(@"""?\$type.*?:.*?"".*?SignalR\.Client.*?"",?");
public PolymorphicHttpClient(IHttpClient innerClient)
{
_innerClient = innerClient;
}
public Task<IResponse> Get(string url, Action<IRequest> prepareRequest)
{
url = _invalidTypeDeclaration.Replace(url, "");
return _innerClient.Get(url, prepareRequest);
}
public Task<IResponse> Post(string url, Action<IRequest> prepareRequest, IDictionary<string, string> postData)
{
if (postData != null)
{
var postedDataDebug = postData;
//TODO: check out what the data looks like and strip out irrelevant type information.
var revisedData = postData.ToDictionary(_ => _.Key,
_ =>
_.Value != null
? _invalidTypeDeclaration.Replace(_.Value, "")
: null);
return _innerClient.Post(url, prepareRequest, revisedData);
}
return _innerClient.Post(url, prepareRequest, null);
}
}
You want to start your connection like this on the client side (in my case an appstore app)
_hubConnecton.Start(new AutoTransport(new PolymorphicHttpClient(new DefaultHttpClient())))
I wished this was enough, but on the server side, the built in parser is a hot bungled mess, so I had to "hack" it together also.
You want to implement IJsonValue. The original implementation creates a new instance of JSonSerializer that does not respect your configuration.
public class SerializerRespectingJRaw : IJsonValue
{
private readonly IJsonSerializer _jsonSerializer;
private readonly JRaw _rawJson;
public SerializerRespectingJRaw(IJsonSerializer jsonSerializer, JRaw rawJson)
{
_jsonSerializer = jsonSerializer;
_rawJson = rawJson;
}
public object ConvertTo(Type type)
{
return _jsonSerializer.Parse<object>(_rawJson.ToString());
}
public bool CanConvertTo(Type type)
{
return true;
}
}
Then you want to create your own parser. Note the reflection hack, you may want to change the type to whatever ver. of SignalR you have. This was also why I said whoever wrote this section must really hate OO, because all of the modules are internals - making them real hard to extend.
public class PolymorphicHubRequestParser : IHubRequestParser
{
private readonly IJsonSerializer _jsonSerializer;
private JsonConverter _converter;
public PolymorphicHubRequestParser(IJsonSerializer jsonSerializer)
{
_converter =
(JsonConverter) Type.GetType(
"Microsoft.AspNet.SignalR.Json.SipHashBasedDictionaryConverter, Microsoft.AspNet.SignalR.Core, Version=1.1.0.0, Culture=neutral, PublicKeyToken=31bf3856ad364e35")
.GetConstructors(BindingFlags.NonPublic | BindingFlags.Instance | BindingFlags.Public)
.Single(_ => !_.GetParameters().Any())
.Invoke(null);
_jsonSerializer = jsonSerializer;
}
private IDictionary<string, object> GetState(HubInvocation deserializedData)
{
if (deserializedData.State == null)
return (IDictionary<string, object>)new Dictionary<string, object>();
string json = ((object)deserializedData.State).ToString();
if (json.Length > 4096)
throw new InvalidOperationException("Maximum length exceeded.");
JsonSerializerSettings settings = new JsonSerializerSettings();
settings.Converters.Add(_converter);
return JsonSerializerExtensions.Parse<IDictionary<string, object>>((IJsonSerializer)new JsonNetSerializer(settings), json);
}
public HubRequest Parse(string data)
{
var deserializedInvocation = new JsonNetSerializer().Parse<HubInvocation>(data);
var secondPass = new HubRequest()
{
Hub = deserializedInvocation.Hub,
Id = deserializedInvocation.Id,
Method = deserializedInvocation.Method,
State = GetState(deserializedInvocation),
ParameterValues =
deserializedInvocation.Args.Select(
_ => new SerializerRespectingJRaw(_jsonSerializer, _))
.Cast<IJsonValue>()
.ToArray()
};
return secondPass;
}
private class HubInvocation
{
[JsonProperty("H")]
public string Hub { get; set; }
[JsonProperty("M")]
public string Method { get; set; }
[JsonProperty("I")]
public string Id { get; set; }
[JsonProperty("S")]
public JRaw State { get; set; }
[JsonProperty("A")]
public JRaw[] Args { get; set; }
}
}
Now everything is in place, you wanna start your SignalR service with the following overrides. Container being whatever DI you register with the host. In my case container is an instance of IUnityContainer.
//Override the defauult json serializer behavior to follow our default settings instead.
container.RegisterInstance<IJsonSerializer>(
new JsonNetSerializer(Serialization.DefaultJsonSerializerSettings));
container.RegisterType<IHubRequestParser, PolymorphicHubRequestParser>();
A: I think you're probably best off creating an intermediate type for JSON serialization that contains all of the data you'll need to manually regenerate your concrete type(s).
Another option could be to create N methods with different names (not overloaded) for each concrete type that implements MyAbstractClass. Then each method could simply pass its argument through to your Process method which accepts the abstract type. You would have to be careful to call the right hub method with the right type, but it might work.
A: Or... you could use the connection Received event instead, returning a string. Then, use JObject to parse it, determine it's type and deserialize it accordingly.
A: RootObject rootObject = JsonConvert.DeserializeObject<RootObject>(data);
A msgBase = rootObject.A[0];
if (msgBase.CommandName == "RequestInfo")
{
RootObjectRequestInfo rootObjectRequestInfo = JsonConvert.DeserializeObject<RootObjectRequestInfo>(data);
RequestInfo requestInfo = rootObjectRequestInfo.RequestInfo[0];
ConnectionID = requestInfo.ConnectionID;
}
else if (msgBase.CommandName == "TalkWord")
{
RootObjectTalkWord rootObjectTalkWord = JsonConvert.DeserializeObject<RootObjectTalkWord>(data);
TalkWord talkWord = rootObjectTalkWord.TalkWord[0];
textBoxAll.Text += talkWord.Word + "\r\n";
}
A: There is an easy solution, with only a few lines of code, but it requires an ugly reflection hack. The plus side is that this solution works for serialization and deserialization, that is, sending data to client and receiving from it.
Using TypeNameHandling.Auto in the client side allows for full polymorphism in both sending and receiving.
var settings = new JsonSerializerSettings { TypeNameHandling = TypeNameHandling.Auto };
GlobalHost.DependencyResolver.Register(typeof(JsonSerializer), () => JsonSerializer.CreateDefault(settings));
GlobalHost.DependencyResolver.Register(typeof(IParameterResolver), () => new CustomResolver());
class CustomResolver : DefaultParameterResolver
{
public override object ResolveParameter(ParameterDescriptor descriptor, Microsoft.AspNet.SignalR.Json.IJsonValue value)
{
var _value = (string)value.GetType().GetField("_value", System.Reflection.BindingFlags.GetField | System.Reflection.BindingFlags.NonPublic | System.Reflection.BindingFlags.Instance).GetValue(value);
var obj = JsonConvert.DeserializeObject(_value, new JsonSerializerSettings() { TypeNameHandling = TypeNameHandling.Auto });
return obj;
}
}
| {
"language": "en",
"url": "https://stackoverflow.com/questions/19129875",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Q: What is the best practice to order message working process with JMS I have a task: I want to parallelize message receiving process. The task has thin place: special marked messages must be processed in special order - in order of receiving by my service. I'm trying to solve the task with JMS.
Messages are placing in a queue and several MessageDriveBeans are processing those messages. I've a "classical requirement": I want to ensure that messages will be processed in same order as they was passed in to the queue. I work with WildFly 8.2 (HornetQ - JMS provider). I know that is a "none of JMS pattern reqirement".
How I can organize this process? Maybe I must to implement another pattern for solving?
A: I think I've found the solution. HornetQ (such as WebLogic JMS) provide an ability of message grouping: http://docs.jboss.org/hornetq/2.2.2.Final/user-manual/en/html/message-grouping.html. Following this opportunity I can established the processing of the same marked messages with the same consumer. Bingo!
| {
"language": "en",
"url": "https://stackoverflow.com/questions/43406493",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Appengine search index and namespaces I am writing a multi-tenant application using appengine namespaces. We need a separate index per tenant for searching employees (to avoid the 10GB limit of a search index).
If I create a search index "employees" (in golang search.Open("employees") ) and index the following docs (using golang api search.Put(ctx, id, doc) )
*
*doc1 from tenant 1 with namespace "abc" and
*doc2 from tenant 2 with namespace "xyz"
do these docs go into a single index or two different indexes in two different namespaces? I want to make sure that I am not hitting the 10GB limit.
thanks
A: Based on NAMESPACE the data divides.
if "employees" has one namespace it will store under its namespace.
if we provide another NAMESPACE the data will store in that namespace only.
i think u r asking the same thing.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/47823778",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Converting single column with strings with separator ('|') to multiple columns with binary values based on the string value I have one million records of data frame with a column, which contains multiple combined strings with a delimiter as a separator .
In the required data frame ,I need to retain the column and have multiple column hosting the separated strings as column heading with binary values based on the combinations available in the row.
This is required to combine with other features to feed the model estimator.
Sample of the data is enclosed for reference.
x.head(20)
Genres
793754 Drama|Sci-Fi
974374 Drama|Romance
950027 Horror|Sci-Fi
998553 Comedy
757593 Action|Thriller
943002 Comedy|Romance
699895 Drama|Romance
228740 Animation|Comedy|Thriller
365470 Comedy
174365 Comedy|Fantasy
827401 Drama
75922 Comedy|Drama
934548 Animation|Children's|Comedy|Musical|Romance
281451 Comedy|Sci-Fi
694344 Sci-Fi
731063 Action|Adventure
978029 Animation|Comedy
283943 Drama|Sci-Fi|Thriller
961082 Action|Adventure|Fantasy|Sci-Fi
778922 Action|Crime|Romance
The columns (18 nos) required is extracted as a list from the entire data with unique function and furnished to populate the binary 0 or 1 based on the row string data.
genre_movies=list(genre_movies.stack().unique())
genre_movies
['Drama',
'Animation',
"Children's",
'Musical',
'Romance',
'Comedy',
'Action',
'Adventure',
'Fantasy',
'Sci-Fi',
'War',
'Thriller',
'Crime',
'Mystery',
'Western',
'Horror',
'Film-Noir',
'Documentary']
I am novice to Pandas and appreciate your help.
A: please check if this is what you want:
(I have to manually input the genres so I only put 3 lines there)
Genres Drama Sci-Fi Romance Horror
793754 Drama|Sci-Fi True True False False
974374 Drama|Romance True False True False
950027 Horror|Sci-Fi False True False True
the code is :
import pandas as pd
df = pd.DataFrame( {
'Genres' : ['Drama|Sci-Fi', 'Drama|Romance' , 'Horror|Sci-Fi']
},
index = [793754, 974374, 950027] ,
)
genre_movies=list(df.Genres.unique())
genre_movies2 = [words for segments in genre_movies for words in segments.split('|')]
# get a list of unique genres
for genre in genre_movies2:
df[genre] = df.Genres.str.contains(genre, regex=False)
method 2 suggested by @Ins_hunter
use .get_dummies() method
df2 = df.Genres.str.get_dummies(sep='|')
Action Adventure Animation Children's Comedy Crime Documentary Drama Fantasy Film-Noir Horror Musical Mystery Romance Sci-Fi Thriller War Western
0 0 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0
1 0 0 1 1 0 0 0 0 0 0 0 1 0 0 0 0 0 0
2 0 0 0 0 0 0 0 0 0 0 0 1 0 1 0 0 0 0
3 0 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0
4 0 0 1 1 1 0 0 0 0 0 0 0 0 0 0 0 0 0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
1000204 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0 0 0 0
1000205 0 0 0 0 0 0 0 1 0 0 0 0 0 1 0 0 1 0
1000206 0 0 0 0 1 0 0 1 0 0 0 0 0 0 0 0 0 0
1000207 0 0 0 0 0 0 0 1 0 0 0 0 0 0 0 0 0 0
1000208 0 0 0 1 0 0 0 1 1 0 0 0 0 0 1 0 0 0
1000209 rows × 18 columns
and it can be merged back to the original data
df3 = pd.concat([df, df2], axis=1)
| {
"language": "en",
"url": "https://stackoverflow.com/questions/64255275",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "0"
} |
Q: Matplotlib and datetime error date2num function AttributeError I'm trying to plot a graph with a list of datetime objects as one axis. I searched online and it seems I should call the date2num function. However, when I call it I get an Attribute error.
Here's the code I wrote:
listOfDates
[datetime.date(2013, 8, 20), datetime.date(2013, 8, 21)]
dates = mathplotlib.dates.date2num(listOfDates)
Here's the error I get:
Traceback (most recent call last):
File "<pyshell#30>", line 1, in <module>
dates = matplotlib.dates.date2num(listOfDates)
AttributeError: 'module' object has no attribute 'dates'
Thank you very much
A: You need to import the matplotlib.dates module explicitly:
import matplotlib.dates
before it is available.
Alternatively, import the function into your local namespace:
from matplotlib.dates import date2num
dates = date2num(listOfDates)
A: this error usually comes up when the date and time of your system is not correct. just correct and restart the whole console and it should work perfect.
| {
"language": "en",
"url": "https://stackoverflow.com/questions/18357618",
"timestamp": "2023-03-29T00:00:00",
"source": "stackexchange",
"question_score": "3"
} |
Subsets and Splits