Science topic

Archives - Science topic

Explore the latest questions and answers in Archives, and find Archives experts.
Questions related to Archives
  • asked a question related to Archives
Question
1 answer
International Journal of Science and Research Archive
Please anyone tell me details about this journal. I thought this was not a good journal. I need some specific reasons.
Relevant answer
Answer
I'd found the information which them supplied can be checked and exactly.
About good or not, it's based on your organization.
  • asked a question related to Archives
Question
2 answers
How do I make reference to a document that has a persistent identifier but no doi
For example
Relevant answer
Answer
It is sufficient to include this conference paper (in your example) in your reference list (with as much as possible details):
Vogl, G., Fesperman, R., Ludwick, S., Klopp, R., Grabowski, A., Lebel, J., ... & Hennessey, C. (2020, October). Development of a New Standard for the Performance Evaluation of Single Axis Linear Positioning Systems. American Society for Precision Engineering 35th Annual Meeting, Minneapolis, MN, US.
If you search for this one in Google Scholar, you find the full text version and you can insert the link. A publisher like Springer include various links to the paper (the DOI link), a CAS link (if available) and a Google Scholar link, see for example (and scroll to references).
Or Elsevier where you can see (in most cases) links to the corresponding Scopus link, a CrossRef link and Google Scholar link, see for example
RuBisCO as a protein source for potential food applications: A review
So just properly citing the publication in accordance with for example APA is sufficient.
Best regards.
  • asked a question related to Archives
Question
3 answers
I don't know how to submit my article?, then I inform you that I registered with Ajol
. Thank you in advance for your attention to this submission
Relevant answer
Answer
thanks
  • asked a question related to Archives
Question
24 answers
I just had an email from the European Society of Medicine asking for a contribution to the journal Medical Research Archives. There is a similar journal on Cabell's published by KEI publishers, however I am unsure if this is the same journal. The European Society of Medicine from the website seems legit. Can anyone offer their personal experiences with the European Society of Medicine?
Relevant answer
Answer
Multiple emails from Medical Research Archives of the European Society of Medicine asked me to contribute. The editor is someone named L. Smith who is not mentioned anywhere online. At first, I ignored them but eventually, after repeated emails I said yes. After that they asked me to pay to contribute and graciously offered me a 15%discount when I said I couldn't.
This is a predatory journal that looks out for young researchers from developing countries who might be relatively more desperate to get published. My advice is to stay away from such journals. They are a scam.
Below is the email i received asking me to pay to contribute as if they are doing me a favor.
"
Thank you for your response. As an open-access journal with zero subscription or advertising revenue, we do have to charge a publication fee to keep the journal running. However, we do have some lower-priced options available.
Members of the society are exempt from the publication fees. Standard membership is $999 and reduced membership for developing countries is $499. This is the most economical option and includes 3 article publications per year. More details and the signup page may be found here.
Alternatively, if you don't want to go the membership route, I can offer a 15% discount on the regular publication fees. The discount code to enter on the registration form is ESMED23
Which of these options would work best for you?
Sincerely,
L. Smith
Chair of Editorial Committee
Medical Research Archives
European Society of Medicine
Online ISSN: 2375-1924
Print ISSN: 2375-1916
View on PubMed"
  • asked a question related to Archives
Question
3 answers
Hi there,
I have some 16S and metagenomic sequencing data from mice fecals and I want to upload them to NCBI Sequence Read Archive (SRA). I don't know what NCBI package is suitable for my animal fecal samples.
What packages should I choose to complete my submission?
Relevant answer
Answer
Dear Yuhang Wu,
You have already selected the correct package, as shown in the attached figure. Since you are working with 16S sequences, the packages you chose are appropriate.
For additional upload instructions, please follow the SRA submission guidelines. If you encounter any problems, feel free to reach out to me, and I will do my best to assist you.
Best regards,
Dr. Samrendra Singh Thakur
  • asked a question related to Archives
Question
1 answer
I want to extract mid-latitude, high-latitude, equatorial region from ionex winrar archive file. I need the script.
Relevant answer
Answer
```python
import os
import zipfile
import numpy as np
def extract_ionex_regions(ionex_archive_path, output_dir):
"""
Extracts mid-latitude, high-latitude, and equatorial region data from an IONEX WinRAR archive.
Args:
ionex_archive_path (str): Path to the IONEX WinRAR archive file.
output_dir (str): Directory to save the extracted data files.
"""
# Create the output directory if it doesn't exist
os.makedirs(output_dir, exist_ok=True)
# Open the WinRAR archive
with zipfile.ZipFile(ionex_archive_path, 'r') as zip_file:
# Get a list of all the files in the archive
file_names = zip_file.namelist()
# Loop through the files in the archive
for file_name in file_names:
# Check if the file is an IONEX file
if file_name.endswith('.HDF'):
# Extract the file contents
with zip_file.open(file_name) as file:
ionex_data = file.read().decode('utf-8')
# Split the IONEX data into lines
lines = ionex_data.split('\n')
# Find the start and end indices of the mid-latitude, high-latitude, and equatorial regions
mid_latitude_start = None
mid_latitude_end = None
high_latitude_start = None
high_latitude_end = None
equatorial_start = None
equatorial_end = None
for i, line in enumerate(lines):
if line.startswith('STARTMIDLATITUDE'):
mid_latitude_start = i
elif line.startswith('ENDMIDLATITUDE'):
mid_latitude_end = i
elif line.startswith('STARTHIGHLATITUDE'):
high_latitude_start = i
elif line.startswith('ENDHIGHLATITUDE'):
high_latitude_end = i
elif line.startswith('STARTEQUATORIAL'):
equatorial_start = i
elif line.startswith('ENDEQUATORIAL'):
equatorial_end = i
# Save the mid-latitude, high-latitude, and equatorial region data to separate files
mid_latitude_data = '\n'.join(lines[mid_latitude_start:mid_latitude_end + 1])
high_latitude_data = '\n'.join(lines[high_latitude_start:high_latitude_end + 1])
equatorial_data = '\n'.join(lines[equatorial_start:equatorial_end + 1])
with open(os.path.join(output_dir, 'mid_latitude.txt'), 'w') as f:
f.write(mid_latitude_data)
with open(os.path.join(output_dir, 'high_latitude.txt'), 'w') as f:
f.write(high_latitude_data)
with open(os.path.join(output_dir, 'equatorial.txt'), 'w') as f:
f.write(equatorial_data)
# Example usage
ionex_archive_path = 'path/to/your/ionex_archive.zip'
output_dir = 'path/to/output/directory'
extract_ionex_regions(ionex_archive_path, output_dir)
```
Here's how the script works:
1. The `extract_ionex_regions` function takes two arguments: the path to the IONEX WinRAR archive file and the directory where the extracted data files will be saved.
2. The function creates the output directory if it doesn't already exist.
3. The script opens the WinRAR archive and gets a list of all the files in the archive.
4. It then loops through the files and checks if the file is an IONEX file (with the `.HDF` extension).
5. For each IONEX file, the script extracts the file contents and splits it into lines.
6. The script then searches for the start and end indices of the mid-latitude, high-latitude, and equatorial regions based on the specific markers in the IONEX data.
7. Finally, the script saves the data for each region to a separate text file in the output directory.
To use this script, you'll need to replace `'path/to/your/ionex_archive.zip'` with the actual path to your IONEX WinRAR archive file, and `'path/to/output/directory'` with the path to the directory where you want the extracted data files to be saved.
Hope it helps: partial credit AI
  • asked a question related to Archives
Question
3 answers
Can you find an archive of synoptic solar maps by Patrick McIntosh?
Relevant answer
Answer
Yeas, it can be found an archive of synoptic solar maps by Patrick McIntosh
  • asked a question related to Archives
Question
2 answers
Dear Scientists,
Does Archives of Clinical and Medical Case Reports is predatory journal?
[ISSN: 2575-9655]
Impact Factor: 3.1
Indexing: PubMed / PMC
Best regards
Dr. Abdulla Al Mamun Bhuyan
Relevant answer
  • asked a question related to Archives
Question
2 answers
Please share experience with Archives of Nephrology and Urology journal. Is it authentic or fake/predatory.
Relevant answer
Answer
I will repeat my answer as I gave in a related question here on RG
“The journal “Archives of Clinical and Biomedical Research” is published by (as you indicated yourself) “Fortune journals” a publisher mentioned in the updated version of the Beall’s list (https://beallslist.net/#update). This is a red flag that you are dealing with a potential predatory publisher (and consequently journal). There are more red flags:
-Contact info (https://www.fortunejournals.com/) 11355 Richmond Ave #507, Houston, TX 77082, USA is fake or at best a virtual office. The same is true for the Delaware address (frequently used by predatory publishers for misleadingly suggesting an US origin while they are not)
-Same Delaware address is used by https://inter-publishing.com/index.php/ijbde published by Academic Journal INC a predatory publisher for sure numerous so-called misleading metrics are prominently mentioned on their website (https://beallslist.net/misleading-metrics/)
-Looking at https://www.fortunejournals.com/archives-of-clinical-and-biomedical-research-home-acbr.php I see a prominently mentioned impact factor, which is false and misleading since this journal is not indexed in Clarivate’s SCIE (you can check here https://mjl.clarivate.com/home )
-Mentioning PubMed is also misleading since ALL papers published by authors with a NIH grant are indexed in PubMed irrespective of the journal where the paper is published in. This has nothing to do with being a PubMed indexed journal (which they are not)
-APC (https://www.fortunejournals.com/article-processing-charges.php) is ridiculously high for an essentially non-indexed journal
Overall, I would say avoid this one.
Best regards.”
  • asked a question related to Archives
Question
1 answer
Bash a script that downloads and reports upon all of a user-specified image type, e.g. png, jpg, jpeg, gif, at a
user-provided URL.
Required Script Functionality
▪ The user is to be prompted for the desired URL and image type
▪ Your assessor will always enter a valid URL, so you don’t need to validate for this
▪ Your script is to scan for and download images of the following four (4) types only:
1. .jpg
2. .jpeg
3. .gif
4. .png
▪ Keep in mind that URLs often contain multiple copies of the same image file, hyperlinked in different
locations on the page users interact with, therefore, your code will need to account for this so that
such duplicates, where they exist, are neither downloaded nor displayed in the final summary or any
of its statistics
▪ URLs that contain no image files of the allowed types will also be used during the assessment
process, so your script will need to allow for this scenario as well, informing the user of this with an
appropriate terminal message when it occurs and exiting the script exited gracefully
▪ In the event that allowable image file(s) of the type the user stipulates are available at the URL
provided, all of them must be downloaded from the URL and stored in a directory with a unique
name that will not conflict with any other directories that currently exist or which may be created in
the future
▪ It is the responsibility of the script to handle directory naming and creation, not the users’.
▪ Once all allowed image files have been downloaded from the URL provided (where they exist), the
following information is to be displayed to the terminal in a neat and easy-to-read format:
o A count of how many were downloaded (excluding duplicates, where they exist)
o The directory name into which they were downloaded
o A tabulated summary, with an appropriate header, of all of the image files downloaded
(excluding duplicates, where they exist) and the size of each on disk in bytes, kilobytes or
megabytes as applicable
▪ Your script is also to accommodate an optional -z option (to be used at the command line) that,
when used, will facilitate the adding of all the downloaded image files to a zip archive that is to
reside in the same directory as the downloaded image files and given the same name as this
directory
▪ When the -z option is used, the user is to be informed that the requested zip archive has been
created successfully and where it is located as part of the final summary output
▪ If the user provides an invalid flag, or any other invalid input at all, at the command line, they are to
be informed of this with an appropriate error message and the script terminated with an
appropriate exit code
Relevant answer
Answer
Here's a Bash script that fulfills the requirements you mentioned:
#!/bin/bash
# Function to print usage message
print_usage() {
echo "Usage: $0 [-z] URL image_type"
echo " -z Create a zip archive of downloaded images"
echo " URL The URL to scan for images"
echo " image_type The image file type (e.g., jpg, jpeg, gif, png)"
exit 1
}
# Check for the -z option
zip_archive=false
if [ "$1" == "-z" ]; then
zip_archive=true
shift
fi
# Check if there are exactly two arguments
if [ $# -ne 2 ]; then
print_usage
fi
# Parse the arguments
url="$1"
image_type="$2"
# Create a directory to store the downloaded images
download_dir="$(date +%Y%m%d%H%M%S)"
mkdir "$download_dir"
# Function to download and check for duplicate images
download_image() {
image_url="$1"
image_name="$(basename "$image_url")"
# Check if the image file type matches the specified type
if [[ "$image_name" == *".$image_type" ]]; then
# Check if the image is already downloaded
if [ ! -e "$download_dir/$image_name" ]; then
echo "Downloading: $image_name"
wget -q -P "$download_dir" "$image_url"
fi
fi
}
# Download images from the provided URL
wget -q -O - "$url" | grep -Eo "(http|https)://[^\"]+" | while read -r line; do
download_image "$line"
done
# Check if any images were downloaded
if [ -z "$(ls -A "$download_dir")" ]; then
echo "No images of type $image_type found at $url."
rmdir "$download_dir"
exit 1
fi
# Create a zip archive if -z option is specified
if [ "$zip_archive" = true ]; then
zip -r "$download_dir.zip" "$download_dir"
echo "Created zip archive: $download_dir.zip"
fi
# Count downloaded images and display summary
num_downloaded_images="$(ls -l "$download_dir" | grep -E '\.'$image_type'$' | wc -l)"
echo "Downloaded $num_downloaded_images images to directory: $download_dir"
echo -e "Summary:\nImage Name\tSize"
ls -lh "$download_dir" | awk '{print $9 "\t" $5}'
# Clean up the downloaded directory
rm -r "$download_dir"
#########################################################
Save this script to a file (e.g., image_downloader.sh), make it executable with chmod +x image_downloader.sh, and then you can run it as follows:
./image_downloader.sh [-z] URL image_type
For example, to download JPEG images from a URL and create a zip archive, you would use:
./image_downloader.sh -z https://example.com jpg
Make sure you have wget and zip installed on your system for this script to work. The script checks for the specified image type and avoids downloading duplicates. It also handles various error cases, as specified in your requirements.
  • asked a question related to Archives
Question
1 answer
I tried installing Wrapped in R but it has been removed from CRAN. I add to download the zip file from archive yet could not install it because its dependencies namely 'evd', 'sn', 'ald', 'NormalLaplace', 'glogis', 'irtProb', 'sld', 'normalp', 'sgt', 'SkewHyperbolic', 'fBasics', 'cubfits', 'lqmm', 'LCA', 'GEVStableGarch', 'VarianceGamma', 'ordinal' are not available. Any useful help will be appreciated
Relevant answer
Answer
I am interested.
  • asked a question related to Archives
Question
4 answers
According to Dubuisson, Jean, et al. "Laparoscopic repair of vaginal vault prolapse by lateral suspension with mesh." Archives of gynecology and obstetrics 287.2 (2013): 307. Laparoscopic lateral suspension with mesh is a safe and effective procedure for the treatment of vaginal vault prolapse. It represents an alternative of laparoscopic sacrocolpopexy to restore the anatomy of the vaginal apex. A posterior colpoperineorrhaphy must be associated in case of perineal insufficiency to avoid the appearance of a new prolapse.
Do you perform this lateral suspension for vault prolapse?Would you share your results?
Relevant answer
Answer
Dear Dr Koops; we have reached over 30 cases with “laparoscopic lateral suspension”. -According to our 2 year outcomes LLS is superb in terms of “apical” and “anterior” compartment prolapse…
As for the posterior compartment. I belive we don’t always have to “fix it”! Too much mesh interferes with bowel function. Sure, if the patient is young and has “aesthetic perineal concern”s we can always do “a little posterior colporaphy” 👋
  • asked a question related to Archives
Question
1 answer
The Department of Analysis of marine ecosystems and anthropogenic impacts of the Ukrainian Scientific Center of Ecology of the Sea, where I work, is going to apply for EURIZON Fellowship and we need a partnership from European Union. Here are the details of the program https://indico.desy.de/event/38700/.  The deadline is on 8/05. The name of the project is " The investigation of small saline groundwater dependent ecosystems biodiversity the arid zone (Odesa region, Ukraine) and evaluation it pre-war conditions. ". We have an archive with samples of zoobenthos and zooplankton, collected at ~190 sampling points on different substrates within ~ 30 limnocrenes, rheocrenes and helocrenes with salinity over 5 ‰ different seasons during the free time 2017-2021. We are planning to use this archive for the EURIZON fellowship, but because of war, our institution has no opportunity to take new samples in the Black Sea and limans.
I have to several colleges from Finland and Germany, but now they can take part. So I hope for the help of RG community.
Relevant answer
Answer
Parner found
  • asked a question related to Archives
Question
4 answers
I received a message about deleting my archive, postings, and papers.
Relevant answer
Answer
if you mean the discontinuation of the project feature, you may wish to look for some further tips in addition to those given in the other answers here:
  • asked a question related to Archives
Question
18 answers
Continuation of discussion of 2018 -see attached archive file:
(27) Agroglyphes - are they natural or of artificial origin_.pdf
  • asked a question related to Archives
Question
3 answers
Suppose you ended the project's are they still in my archive with it's contents or to be removed
  • asked a question related to Archives
Question
13 answers
If the Journal shows the status of your paper "Archived" within a month or two what does it mean.
Relevant answer
Answer
Billel Ali Rachedi excuse me,, may I ask you what was the decision for that paper? I have the same situation, a paper archived after 6 months, I sent an email for the editor 20 days ago and still no responde. thanx
  • asked a question related to Archives
Question
4 answers
What does it mean if the article submitted to a Journal shows the status, 'Archived'?
Relevant answer
Answer
Bradley C. Freeman Swati Arjun Thanks for the feedback.
@
  • asked a question related to Archives
Question
7 answers
Which textbook do you recommend for an introductory biophysics course (aimed at 2nd year students from different disciplines: https://apps.ualberta.ca/catalogue/archive/course/bioph/201/1810)?
Relevant answer
Answer
2nd Edition
Quantitative Understanding of Biosystems An Introduction to Biophysics, Second Edition
ByThomas M. Nordlund, Peter M. Hoffmann Copyright Year 2019
  • asked a question related to Archives
Question
10 answers
Do you prefer Google Scholar, Semantic Scholar, Internet Archive Scholar or others for finding information?
Relevant answer
Answer
I start my search with Emerald and ScienceDirect (Elsevier), and then end my search with Google Scholar!
  • asked a question related to Archives
Question
2 answers
I have submitted one of my articles to a journal and it's been 18 months since that article was placed in the Journal's Archives. Despite sending dozens of emails inquiring about the status of my article, the editorial team hasn't bothered to respond. Can someone guide me on this what does it mean if an article is placed in the Archives? Does it mean the article is rejected/accepted?
Relevant answer
Answer
Shahed Rashidi
Thank you so much
  • asked a question related to Archives
Question
2 answers
I am a member and have been trying to download an article.
It arrives as an archive file (.rar format)
On attempting to open I am informed that the file is damaged.
I have downloaded the file 4 times with the same result each time.
Relevant answer
Answer
I downloaded the file also from https://www.researchgate.net/publication/277941362: It has the suffix .rar, but this is a mistake. Just replace .rar by .pdf, and the file will open.
  • asked a question related to Archives
Question
12 answers
Is it ok to publish a paper in the archive before publishing it in any journal paper? Actually, I did that to get more citations for my paper, but now when I'm trying to check the plagiarism, I'm getting 90% because of my published version of the paper. Is it something ok ? because the journal sent it back to me and said I have high similarity.
Relevant answer
Dear Prof. Israa K. Salman & all the honorable researchers,
Plagiarism is a common problem facing almost all professors. This respected portal (i.e. RG) defines plagiarism as:
The term “plagiarism” has different meanings, but it usually includes copying somebody else’s work without permission.
On the other side, self-plagiarism is when the author republishes portions of his/her own previously written research work while authoring a new work.
I may be somewhat old-fashioned, but please have a look at the following golden principles on how to avoid plagiarism in academic writing, especially Self-Plagiarism:
  1. Never use the "Copy-Paste" trend: Use your own words instead of copying and pasting the text verbatim from others (i.e. reference papers). Needless to say that if you are using your own words, then there is no chance of plagiarism accusing. Try to paraphrase your content as much as you could.
  2. Never repeat yourself: There are many re-published articles that are slightly or even considerably modified, and still not changed!
  3. If you have co-authors, just trust your words!
  4. If you use your own words, there should be no plagiarism issue. In turn, there is no need for the tools of plagiarism checking. Since there is no guarantee that the original content of your manuscript might not be copied and sold to others before it is published by you, I discourage using any free-software checkers for plagiarism; some of them are betrayers. Despite that offline ones are rare and if you are insisting to use anti-plagiarism software, offline checker programs are safer than online ones. On the other side and in case you are again insisting to use anti-plagiarism check, the process should be carried out for the entire research work, literature reviews, for instance, are not an exception.
  5. In some cases, you can paraphrase the sentences (إعادة صياغة الجملة) in the original document. But don't forget to cite the reference.
  6. You must always insist on honesty. Furthermore, you have to always remember that there should be a new added value.
  7. You must always insist on doing real research, not "Wikipedia" research.
  8. Do not put any of your research work anywhere until it is published and tagged with your name. Please wait until the paper is accepted and then published in that journal. Then, upload that research item on any platform you wish.
  9. In my opinion, most of the free-software-checkers for plagiarism don't work effectively. Unfortunately, you have to pay for the sake of getting good results.
  10. Despite that offline ones are rare and if you are insisting to use anti-plagiarism software, offline checker programs are safer than online ones.
  11. Try to develop your own style for the text writing.
  12. You should be should beware of storing your document in any portal that is used as free software checker for any language.
  13. Try to read as much scientific literature as possible, especially in your own research field area.
  14. Don't forget to cite your Sources: Identify what is needed and what is not needed to be cited. If you refer to any material, including images and data, you should be clear and define the source. Because images are treated as data in the case of citation, you should refer to any taken image and cite it in the references whether it has been copied from the social media image or a research article. By the way, please do not forget that "A picture is worth a thousand words"!
  15. A reminder for all respected researchers: In order to maintain research integrity, plagiarism (الاستلال) has to be given up. However, many people do not know whether they are committing plagiarism intentionally or unintentionally.
Now, I think that the above-mentioned rules are helping in setting boundaries to avoid plagiarism in general, and self-plagiarism in special.
Finally, believe me, or not: If you make one plagiarizing, you may solve one problem and fall into many others where some of which may be described as a knockout. Again and again, please always remember that if there were accusations of plagiarism, it is not well for any researcher's reputation, in any meaning.
  • asked a question related to Archives
Question
1 answer
Hi all,
I want to download some reference microbiome data from NCBI sequence Read Archive (SRA). I previously used fasterq-dump or fastq-dump to download the data, and the data were used to be downloaded successfully. However, I don't know why, I cannot download some SRR accession somehow recently. And my linux interface has shown errors as attached. They said the accession is invalid. So I also try other reference accession, and they showed the same errors again and again. Did anyone know what is the problem? Is it usual? Are there any other download tools for SRA accession recommended? Many thanks in advance! :-)
Kind regards,
Chiao-Jung
Relevant answer
  • asked a question related to Archives
Question
2 answers
Good afternoon, I am learning to model biomolecules with nanoparticles. It seems like I'm getting something, but unfortunately, the simulation is not working yet. I get an error that the system is not balanced enough and when the thermostat is entered, the system explodes. I tried enlarging the box, rewriting the topology file and many other things, but the error remains. Maybe someone can help me and explain what I'm doing wrong. I've read a lot of articles on modeling with gold in gromacs, but I can't model what I need :c
I attach an archive with the last attempt of modeling. All my files are there
Relevant answer
Answer
Hi,
how did you get the gold NP coordinates and parameters? The gold sheet look weird as each atom is making too many bonds. You can download relevant coordinates from the following link:
and you can use this tutorial to simulation gold/protein complex:
Good luck.
  • asked a question related to Archives
Question
5 answers
I was recently looking for an article from an old journal no longer supported. Unfortunately, the journal is so old that is not even available as archive, so its articles are neither available as pdf nor even as simple reference page (in order to cite them and having a formal reference page). So I was wondering wether or not exist unofficial databases for such old journals. In case they don't, what about make some here in RG as discussions? So that if you have a hardcopy or scanned copy of a not available article, you can maybe share it together with its full citation. Maybe it would be great to have one discussion per journal and little by little filling it for the whole publishing period!
As I'm still looking for the intended original paper, I'd like to know if anybody has a copy of this paper (so to start with this journal in particular):
Zeitschrift für Techniche Physik 1931, 12, 593-601, Kubelka Paul and Munk Franz, Ein Beitrag zur Optik der Farbanstriche (ENG: "An article on optics of paint layers")
Thank you!
Relevant answer
Answer
A journal like “Zeitschrift für Techniche Physik” will be available as hard-copy in the older (German) universities. I found the paper “Kubelka P, Munk F (1931) Ein Beitrag zur Optik der Farbanstriche. Z. Tech. Phys. 12:593”
See enclosed files of copy (I found on the net) and an English translation.
Best regards.
  • asked a question related to Archives
Question
1 answer
I wanna selectively expand erythroblasts from freshly isolated PBMC for reprogramming into human iPSCs. Would I be able to substitute those above media with RPMI 1640 with cytokines and growth factors (SCF, IL-3, EPO, dexamethasone, IGF1 etc.) will be required for all media listed. Feel free to share your experiences or some literature references from your archive. Thanks in advance!
Relevant answer
Answer
Hi Evrim, Interesting work.
You know Marieke von Lindern from Sanquin from the Evidence meeting 2 years ago. https://www.researchgate.net/profile/Marieke-Lindern
I think this is something that she may be working on. So you might directly ask her with reference to you having met her for Evidence.
  • asked a question related to Archives
Question
8 answers
If anyone have a reference of website or the PDF archive downloaded to insert in X'pert highscore plus. Please send me by e-mail arthurnadervas@yahoo.com.br. I appreciate very much.
With regards
Relevant answer
Answer
These downloads are only for existing customers with fully licensed databases and software corresponding to the specified product and release year. You must have administrative privileges to carry out any of these support correctives.
  • asked a question related to Archives
Question
8 answers
Hi All,
I have heard that papers in Nature, the ones that got into review and further consideration are often held for a year and more in limbo. Do other people have the same experience and what action should be taken? Obviously you want your research to go out and at some point publishing in another journal may be a better option.
The new service is ResearchSquare teamed with Nature now allows you to post a preprint and get a doc number, same is for Archive. Do people have experience with posting preprint online and if this would violate Nature embargo policy?
Relevant answer
Answer
a year or so from submission to acceptance/publication is not unusual. in my experience, the editors are both rigorous and stupidly busy.
"The Nature journals support the posting of submitted manuscripts on community preprint servers such as arXiv and bioRxiv. We do, however, ask you to respect the following summaries of our policies:
  • The original submitted version may be posted at any time.
  • The accepted version may be posted 6 months after publication.
  • The published version—copyedited and in Nature journal format—may not be posted on a preprint server or other website."
  • asked a question related to Archives
Question
86 answers
I have received the following polite email request from Medical Research Archives, European Society of Medicine a number of times.
Is it legitimate? Would you mind sharing your thoughts if you have any experience of this kind? Thanks
Dear Dr. Yegnanew A. Shiferaw,
If you have a few minutes I wanted to discuss your COVID-19 research. I am serving as the editor of a special theme issue on Advancements in COVID-19 which will be released by the European Society of Medicine next year and I was thinking that something related to your work on "Regime shifts in the COVID-19 case fatality rate dynamics: A Markov-switching autoregressive model analysis" would be interesting to include in the issue. Perhaps you could tell me more about your research in this area.
This could be in the form of a research article or even a review article.
Might this be a possibility?
Sincerely,
L. Smith, M.D.
Medical Research Archives
European Society of Medicine
Online ISSN: 2375-1924
Print ISSN: 2375-1916
PubMed ID: 101668511
  • asked a question related to Archives
Question
5 answers
I tried one method but get the following texts..
Verifying archive integrity... 100% All good.
Uncompressing 'DS Client and extracting files, please wait ......' 100%
./install_DSClient.sh: 49: ./install_DSClient.sh: [[: not found
./install_DSClient.sh: 70: ./install_DSClient.sh: Syntax error: redirection unexpected
Relevant answer
Answer
Davide Pirolli Thanks for your answer.
As far as I can remember, my interpreter was bash. I set it during the installation of my local language.
I switched to windows operating system. So I am unable run your command. I am sorry.
  • asked a question related to Archives
Question
6 answers
Hi everybody,
we sent a short communication to : Probiologist -Archives of Clinical Toxicology (https://probiologists.com/Journal/Archives-of-Clinical-Toxicology), that has been accepted on November 10, 2020. To date, the article is still "in-press" ( "Neurotoxic amyloid prefibrillar oligomers: Do salmon calcitonin and amyloid β1-42 wear the same "outfit"?)
As an author, I wrote several times to the journal board, but no one replied to my emails.
Have someone else had the same problem with this journal ?,... Do you know if Is it a predatory journal?
Regards
Marcello
Relevant answer
Answer
Dear Rob Keller,
very thanks for your kind reply. Your observations are extremely noteworthy..I fully agree with you..it was not a good idea to submit to this journal..for sure this is not a serious journal.. they also avoid any reply to my emails...I discourage everyone to send paper to this journal.
very Kind Regards Marcello
  • asked a question related to Archives
Question
3 answers
This research was conducted by Huber Hendrichs. I have found multiple citations but could not found the research from any archive. It would be a big help if anyone can help me with finding this paper.
Relevant answer
Answer
Hello Ibrahim; I found this citation on Google Scholar. Maybe it would help you. Best regards, Jim Des Lauriers.
[CITATION] The status of the tiger Panthera tigris (Linne, 1758) in the Sundarbans mangrove forest (Bay of Bengal)
H Hendrichs - 1975 - pascal-francis.inist.fr
Sauf mention contraire ci-dessus, le contenu de cette notice bibliographique peut être utilisé dans le cadre d'une licence CC BY 4.0 Inist-CNRS/Unless otherwise stated above, the content of this bibliographic record may be used under a CC BY 4.0 licence by Inist-CNRS/A menos que se haya señalado antes, el contenido de este registro bibliográfico puede ser utilizado al amparo de una licencia CC BY 4.0 Inist-CNRS
  • asked a question related to Archives
Question
1 answer
The reason for asking this question is because, since I was fortunate enough to get a contract job at the local school as an administrative assistant, I thought I should also use the opportunity to use it and gain practical experience for my CV and the qualification in Archive and Records Management. Any input will be allowed because I have to present the approach by the end of this week.
I won't forget to use references where necessary.
Thank you in advance.
Kamohelo Hlasa
BA Student in Archive and Records Management
Relevant answer
The best ways eLearning Professional are using Google Drive in eLearning
Store data and files remotely (never lose learning materials).
Google Drive gives you the ability to store videos, photos, images, and documents remotely, so that you won't ever have to lose another important file again. They can all be stored in one centralized location (the Cloud), which means that you can access learning materials anywhere. For example, if you've created a file that is an integral part of your deliverable and your hard drive crashes, you can still view and edit that file through Google Drive. This boosts cost efficiency, because you won't ever have to devote resources to redoing a document or project that has been lost or corrupted.
Develop collaborative group projects via Google Docs.
A great way to boost peer-to-peer interaction is to create group projects that are uploaded directly onto the Google Drive. In fact, Google Docs (offered within the Google Drive) can transform any assignment into an interactive and collaborative eLearning experience. Using Google Docs, your learners can leave real time feedback, communicate with others in the group, and share their insights and opinions via the document or file. For instance, you can develop an eLearning project that requires a group of learners to collaboratively solve a real life problem or revise a document that purposefully contains errors (to test their applied practical knowledge of subjects and skill sets). Group collaboration is such an invaluable tool in eLearning, as it gives learners the chance to learn from their peers' knowledge base and experiences. Google Docs enables eLearning professionals to bring this collaborative approach into any Instructional Design strategy.
  • asked a question related to Archives
Question
3 answers
Several reports exists relating to the frequency fundamental of male and female speech. Though they not all agree, there is a clear trend that the fundamental frequency of men's voices is lower than females. One example: "The voiced speech of a typical adult male will have a fundamental frequency from 85 to 155 Hz, and that of a typical adult female from 165 to 255 Hz."[1]
QUESTION: Is it meaningful to study speech below these frequencies and why?
I am studying speech directivity and for some reason in the literature the male and female voice seems to repeatedly compared at 125 Hz, near the male fundamental. This seems nonsensical to me but maybe there is a good reason for this? I have recorded a fair bit of female speech and I see very little sound energy in this frequency band.
[1] Baken, R. J. (2000). Clinical Measurement of Speech and Voice, 2nd Edition. London: Taylor and Francis Ltd. (pp. 177), ISBN 1-5659-3869-0. That in turn cites Fitch, J.L. and Holbrook, A. (1970). Modal Fundamental Frequency of Young Adults in Archives of Otolaryngology, 92, 379-382, Table 2 (p. 381).
Relevant answer
I find your research interesting. Now bear in mind that one of the objectives of conducting researches is to prove or support existing theories as well as yield results which are dissimilar to the available published findings and resources. I believe you would want to choose either of these two options.
  • asked a question related to Archives
Question
13 answers
I am making an archive with works of contemporary art (photography, performance, installation, painting, sculpture ...) that deal with the subject of work.
I will be thankful for every contribution.    
Relevant answer
Answer
Berlin based French artist Claude Eigan comes to mind for their 2016 show: Comfort Zone https://www.sleek-mag.com/article/claude-eigan-work-art/ I wrote the piece bc I was absolutely inspired by their work about work. And here is more about the show in Berlin Art Link: https://www.berlinartlink.com/2016/09/14/work-welcome-to-the-after-hours-workplace-an-interview-with-claude-eigan/
  • asked a question related to Archives
Question
3 answers
Can you help me find an Archive/ Library where "Radio Jordan Bulletin" for 1964-1971 is available?
  • asked a question related to Archives
Question
3 answers
Scientific articles published in esteemed newspapers hold many informations that can be of great value which often includes biodiversity documentation, sporadic incidents, demographic data and many more that are seldom being cited and eventually consign to oblivion.
Do you think that these datas, only those that are relevant and authentic, should be cited and a proper archive and citation protocol should be constituted.
Relevant answer
Answer
This is tricky.
On the one hand, if it is truly the only source and the author is a known reputable source, I would have zero problem with that, particularly in something that you need to see its changes in a rapid manner.
On the other hand, most journalists have a source for their data (if they are good journalists). I would reach out to them to see if they could point to the source of the data in their newspaper article (and then cite that). You might acknowledge the journalist in that case. If it has no source, that likely would induce some skepticism for me, or it would be that they did an investigation. In the case they did their own investigation, I might cite that as motivation for a study or a direction for future work, but don't think I would put that in anything regarding a method.
  • asked a question related to Archives
Question
2 answers
I want to archive tweets from other Twitter accounts either to a CSV file or another similar file type. Is there a tool that can help me out?
Relevant answer
Answer
Followersanalysis (https://www.followersanalysis.com/download-someone-elses-twitter-archive) enables you to download tweets easily from any account of your choice. The platform deploys a robust integration of the official Twitter Search API and helps you to source and download tweets. Every bit of data that you request through FollowersAnalysis is guaranteed to be accurate and insightful.
Getting just a list of tweets from your desired account is just not enough. Therefore, FollowersAnalysis includes a detailed analytical report along with the tweets list.
The tweet report can greatly benefit you if you wish to improve your profile and followers on Twitter. You get to learn about
  • Best time to tweet
  • Client Source
  • Tweet Timeline
  • Week-Day Peak Usage Pattern
  • Tweet Count of Followers
  • Followers count of Followers
  • Most likes & Most Retweeted Tweets and many more.
These insights can play a pivotal role in elevating your marketing campaigns and ensuring an optimal ROI on your outreach spends.
You can target any Twitter account and get the tweet list directly delivered to you seamlessly.
  • asked a question related to Archives
Question
6 answers
Many documents are started electronically but then printed. We use many smart devices, but at the end of the day we print documents.
(The purpose of this discussion is the study of our interaction with papers, and it is not about climate change)
Relevant answer
Answer
Before I begin my list let me point out that I like e-documents and hate having to carry paper ones and most of these "reasons" are flawed themselves. These factors will not be an extensive list but are the first to pop to mind as the uses of paper:
- Redundancy: having a file in a single medium can lead to the loss of that file if the medium is lost or damaged. Naturally, the same can be said from having just a paper copy. Some may argue that these could be solved with the cloud (one of the best things in my opinion), cloud does offer redundancy, however, then you are exposed to the company that stores your data, which could go bankrupt, or have some other catastrophic event that limits or destroys your access to your data. Again same can be said about a paper copy (when it's not in your possession). Thus, some people prefer having documents in more than one kind of medium.
- Fear of technologies becoming obsolete: when is the last time you had access to a floppy disk? maybe you are someone who has to work with them because of a system that requires it, but otherwise, you would be hard press to find a current computer (from 2021) that can read it without an external USB adapter. If you saved a file in the early '90s in a floppy disk and haven't been moving it ever since you will struggle to access it now (maybe back to redundancy). The same wouldn't happen with paper that could be immediately accessed without technical barriers.
- Fear of information theft: though it is true that paper files can be stolen the amount of information single files have is small compared to the amount of information that can be stolen in a cyber attack. https://www.csoonline.com/article/3237324/what-is-a-cyber-attack-recent-examples-show-disturbing-trends.html
- Trust in the content: When files are shared there is a chance they will come with a virus, there is a chance they will have been modified by others. Papers can be falsified, but the process "feels" harder (probably it is not).
- Difficulty reading on a bright screen: E-books can potentially solve this one.
- How easy it is to handle: For people who are used to paper, it might just feel more natural to hold a few pages separated by a group of fingers and have an intuitive idea of where things are in the document. Especially, for small amounts of information.
- Cultural aspects: "This is how things have always been done", from all the arguments before I think none is as vital to the slow abandonment of paper as the generation who has always had access to digital technology are only now becoming the main consumer market. I see a future where e-documents are more prevalent.
  • asked a question related to Archives
Question
2 answers
Data from Zadar's archive mention the fraternity of flagellants (dei flagellanti) in Zadar in 1214founded in the church of St. Silvester (fratalia seu scola sancti Silvestri Iadere Frustancium). In 1215 in Dubrovnik was founded the fraternity of flagellants in Dubrovnik 1215. A number of studies mentioned that firthe st flagellant confrateconfraternityrniti was founded in Perugia in 1260. What is the reason for this?
Relevant answer
Answer
Draga Valentina,
puno Vam hvala na odgovoru. Već sam mislio da nitko neće primijetiti. To je pitanje koje treba razriješiti jer svi uvijek citiramo jednu te istu informaciju i preuzimamo je jedni od drugih. Pojedinačni flagelanti su postojali od ranog kršćanstva, ali ovdje se radi o organiziranim bičevalačkim udrugama- bratovštinama. Trebalo bi malo proučiti tkoje stajao iza svih tih bratovština (to nisam učinio), da li je i, ako je, kako je došlo do transformacije iz mogućeg flagelantstva klera u praksu bičevanja svih slojeva stanovništva obaju spolova. Osobno smatram da je flagelatstvo u razvijenom i kasnom srednjem vijeku bila praksa bratima s izraženom težnjom da se to radi na javnim prostorima tijekom procesija, na blagdan sveca ili neke druge komunalne ili univerzalne blagdane. Mislim da su flagelanti, za razliku od pojedinačnih introspektivnih bičevalaca-pojedinaca, namjerno ukazivali na nužnost samokažnjavanja kao samo jednog oblika iskazivanja pobožnosti i prihvaćanja božanske kazne za neke neprilike., pri čemu su izvođenjem svojih bičevalačkih performansi nastojali pokazati drugima u zajednici važnost osobne žrtve za više zajedničke ciljeve kao i iskazati svoju individualnu religioznu snagu pred publikom. Kao i dosta toga, kada je religioznost u pitanju, cilj je vjerojatno bio barem dvostruki: participirati u pobožnom činu kako bi se postigla Božja milost u teškim vremenima, ali istovremeno ukazati svim ostalim vjernicima da se bolji ovozemaljski (ali, u perpesktivi i onozemaljski) život može postići osobnom žrtvom iskazanoj kroz izričaj religioznosti zajedno sa ostalim članovima bratovština. No, pokušat ću malo istražiti, jer je moguće da na slične flagelante možda naiđemo i u Francuskoj, drugdje na Apeninima ili na Iberskom poluotoku.
Hvala još jednom
Puno pozdrava
Zoran
  • asked a question related to Archives
Question
1 answer
I've trying to access hourly precipitation data from NCEI's Radar Archive however I've not been able to configure past the downloads. Is there any code available to decode the data?
Relevant answer
Answer
Hi,
If you are familiar with R language, then I'd recommend rnoaa package that allows you to retrieve NEXRAD hourly prec. data with something as simple as
ncdc(datasetid = 'PRECIP_HLY', locationid = 'ZIP:28801', datatypeid = 'HPCP', startdate = '2013-10-01', enddate = '2013-12-01', limit = 5, token = "YOUR_TOKEN")
More information
Hope it helps
  • asked a question related to Archives
Question
10 answers
Hello mates, I'm just curious if there is a kind of RG archive, where I can find records of all my achievements, like "Your book reached 500 reads" or "With 120 new reads, your research items were the most read research items from your institution" etc...
Thanks, MM.
Relevant answer
Answer
Yes you can get
  • asked a question related to Archives
Question
5 answers
COVID-ARC is a data archive that stores multimodal (i.e., demographic information, clinical outcome reports, imaging scans) and longitudinal data related to COVID-19 and provides various statistical and analytic tools for researchers. This archive provides access to data along with user-friendly tools for researchers to perform analyses to better understand COVID-19 and encourage collaboration on this research.
Relevant answer
Answer
You deserve it well, well done. make it smooth and visible to read.
  • asked a question related to Archives
Question
3 answers
For instance, the 'Historical Archives' section of the 'Audio Visual Library of the International Law' website gives access to the negotiation documents related to various instruments of international law. It is impressive because the information has been systematically arranged as introductory note, procedural history, status, documents, photos etc.
Is there such a source of systematic information related to IPRrelated documents?
Relevant answer
أن من اكثر الامور التي تثير خلافا في قانون المعاهدات الدولية هو مسالة تفسيرها, ولا سيما مسالة الرجوع الى الاعمال التحضيرية في عملية التفسير بين مؤيد لها باعتبارها تعطي اضاءات واشارات واضحة للمفسر في تحديد نية الاطراف, وبين معارض لها لان الدول التي تنضم الى المعاهدة الدولية تنضم الى نص رسمي مستقل عن الظروف التي ادت الى عقده.
  • asked a question related to Archives
Question
7 answers
We are digitizing National Forest Insect Collection at Forest Research Institute, Dehradun. We have taken thousands of high resolution digital photographs of about 19,000 insect species. Therefore to safe guard this effort we need to archive this huge digital collection. M-disc technology is known to archive such works for several hundreds of year. If some one of you is using this technology/product, I shall be happy to know about your experience and suggest newer product available in the market, if any. Kindly suggest make and models of M-Disc burners and M-Discs.
Thanks
Relevant answer
Answer
If you want to make sure that your data is safe, don't stick just to one way/technic of their archivisation. In our institute we still do both: store digital pictures on external servers (two different localisations) and burn BlueRay discs, which are stored physically in the institute physical archive.
  • asked a question related to Archives
Question
13 answers
I used auroral electrojet indexes (AE, AU, AL) for the ionosphere modeling. However, there is no data at Kyoto WDC after February 28, 2018 ( http://www.wdcb.ru/stp/data/geomagn.ind/ae/ae_wdc/ae_hv/ or http://wdc.kugi.kyoto-u.ac.jp/aedir/). Could someone inform about an archive containing at least data during 2018-2020?
Relevant answer
Answer
I've contacted the Kyoto WDC a number of times since the outage began in 2018; unfortunately, they had a staffing change which interrupted their availability of the index. They still produce the provisional indices but have repeatedly refused to release them in a data format (only currently available as images...). At the moment the only alternative is the SuperMag index, which some studies have shown to be more representative anyway (http://supermag.jhuapl.edu/indices/, has a pretty straight forward tool to download the whole database at once, which is a nice feature). The only problem with the SuperMag index is that it is only updated once per year, so near-real-time is not an option. As Canada's representative to IAGA, I fully intend to bring up this problem at the next Congress. I built my model using AE index as a driver under the expectation that the index, which is endorsed by IAGA and has protected status, would be available in the long term. I have now been forced to re-build many components of my model with other geomagnetic indices as drivers because of this issue...
  • asked a question related to Archives
Question
2 answers
Hi. I am doing simulation of compression testing of a structure.My experimental and simulation results are same in the linear region. I have tried the simulation with all types of contact behavior even with pin ball at different radius with linear and non linear material properties with large deflection on/off.The following graph shows my results. The loading/unloading is along y-axis.
Please find the attached Archive file of my structure for further recommendations. I would like to mention that the non linear data is actually extracted by using extenso-meter and used in this simulation.I have to delete the results and solution data from the attached file due to size of the file. I ave used 0.5-1 mm mesh size with 26 mm displacement. So your valuable recommendations will be highly appreciated.
Relevant answer
  • asked a question related to Archives
Question
3 answers
Hi,
I want to study the dark network structure (social network for criminals). I want to study the network connections, important factors, significant leaders of the network. I already found one such dataset ( http://www.thearda.com/Archive/Files/Descriptions/TERRNET.asp ). Where can I get other free datasets?
Relevant answer
Answer
Thanks Anatol Badach, for the information. Actually, I want to crawl a social network dataset used by criminals. So, basically I need social network data or interconnectivity dataset of a or multiple criminal gangs.
  • asked a question related to Archives
Question
3 answers
As part of a project funded by the EOSC, we offer support for curating COVID19 simulation models. You can submit your model to BioModels database, and we will help curating it and providing the model as a fully reproducible COMBINE archive.
My question is: Which COVID19 model(s) would you like to see in our special selection?
Relevant answer
Good idea
  • asked a question related to Archives
Question
5 answers
Hello, dear fellow scholars.
I'm writing this post after the advice that I received to bring to your knowledge a lesson that I'm learning yet at the beginning of my academic career.
I'm one of the authors of a case report that has been published by the journal 'Archives Of Medicine' without our consent¹. Before the case report has been published, we have sent a formal e-mail soliciting to the editors the withdrawal of our intention to publish, because we have found that the journal was being investigated due to suspicious activities².
I'm currently a 3rd-year medical school student and this was the first time that we have submitted an article to a journal (me and my colleague, which also is a 3rd-year medical school student). I'm mentioning this just to contextualize the fact that we are pretty much beginners in the matters of scientific publications and we never even imagined that such thing as "predatory publishers" exist.
When we started to look for journals to publish the case report, we were looking for a cost-free journal, but at the time we submitted the article to the Archives of Medicine, by an honest mistake and lack of attention, we didn't realize that this journal has a publishing fee, and a few days after we had submitted the case report we received an e-mail with a charging bill of over 1,500 euros.
Immediately after receiving this e-mail, we started to write a formal message to the editorial board, explaining to them about our mistake, apologizing for the inconvenience, and soliciting the withdrawal of the intent to publish the case report. Also, we got suspicious by the fact that this charging form was asking for sensitive financial information (like credit card number, CVV number, and other info).
In the meantime, we came across a post (here in Research Gate) mentioning the suspicious activities about the IMedPub² (the group responsible for the Archives of Medicine). As soon as we found out these facts, we sent the e-mail formally soliciting the withdrawal of the intent to publish the case report. However, a few days later as I've mentioned at the beginning of this post, the journal published the case report¹ without our consent and ignoring our solicitation. We have only completed the initial forms for starting the publishing process and send them the manuscript by completing the on-line form but we didn't make any payment for the publication fee since we sent this e-mail soliciting the withdrawal of the submitting intention (even though, the journal published it anyway).
¹https://www.archivesofmedicine.com/medicine/atypical-case-of-chronic-granulomatous-disease-a-case-report.pdf
²https://www.researchgate.net/post/Can_I_trust_OMICS_iMedPub_Conference_Series_Allied_Academies_Pulsus_Trade_Sci_SciTechnol_and_EuroSciCon
All this post was originated by the concern about the fact that our names are now associated with an article published by a journal that was under the accusation of suspicious activities and how this could affect our academic reputation and professional future.
We have received some advice to turn the situation public here in Research Gate to other researchers to learn from this lesson and also to hear your opinion. We'll appreciate it if you let us know your perspective about the case and if you can advise a better way of how to resolve this situation.
I apologize for this enormous text, but I think it was necessary to explain the whole situation with some more detail.
If you want to know more details about the original post, the link is the following: https://www.researchgate.net/post/How_to_proceed_in_cases_of_violation_of_copyright
Thanks for your attention.
Best regards,
Wilian Sant'Ana
Relevant answer
Answer
Thank you for the tip! Surely I'll add it to my checklist next time.
Regards.
  • asked a question related to Archives
Question
1 answer
I am working on graph partitioning for scientific simulation load balancing. I used Chris Walshaw's archive partition dataset.
but when I would like to work on a real simulation case, I cannot model the said simulation in a graph to partition it afterwards
how I can convert a simulation application to a task graph?
  • asked a question related to Archives
Question
3 answers
From where i can get archive climate data -District wise Monthly Data of Precipitation, Temperature, and the extreme events of Uttar Pradesh ?
Relevant answer
  • asked a question related to Archives
Question
8 answers
From: <help@arxiv.org> Date: Tue, Apr 28, 2020 at 2:41 AM Subject: arXiv endorsement request from Eue Jeong To: <ejeong1@gmail.com>
(Eue Jeong should forward this email to someone who's registered as an endorser for the hep-ex (High Energy Physics - Experiment) archive of arXiv.)
Eue Jeong requests your endorsement to submit an article to the hep-ex section of arXiv. To tell us that you would (or would not) like to endorse this person, please visit the following URL:
If that URL does not work for you, please visit
and enter the following six-digit alphanumeric string:
Endorsement Code: NLAVZA
## I have just finished writing the paper on the measurement of the neutrino's magnetic monopole charge, ready to upload at arXiv. ##
Relevant answer
Answer
It will all be dependent on experimental as well as theoretical breakthroughs with verifying magneton physics conjecture aether quagmire magnetic monopolarity.
Sincerely,
Rajan Iyer
ENGINEERINGINC MEDITERRANEAN HELLENIC GLOBAL PLATFORM
  • asked a question related to Archives
Question
4 answers
How can I get an endorsement for my mathematical archive in the arXiv website?
Relevant answer
Answer
  • asked a question related to Archives
Question
4 answers
In response to several inquiries over the past few years, I have undertaken the task of updating the thermodynamic properties of steam. It has been 25 years since the IAPWS first released SF95 so that this effort is long overdue. My goal is to extend the range of applicability up to 6000K and 150GPa, considerably above any existing formulation. The data on which to base this extension has been available since 1974. While I have not completed the task, I have made considerable progress. As some researchers have expressed an urgent need for this work, I am releasing preliminary results. All of the data plus an Excel AddIn are contained in the following archive http://dudleybenton.altervista.org/miscellaneous/AllSteam104.zip, which will be updated as the work progresses. There is an installer to facilitate selection and placement of the correct (32-bit or 64-bit) AddIn, although this is unnecessary, as the libraries (AllSteam32.xll and AllSteam64.xll) are included. The current implementation is piecemeal and not optimal, but it does function. When complete, I will also release the source code. The average error in calculated density (compared to experimental) for the 2930 data points from 18 studies (see spreadsheet H2O_PVT_data.xls) for the SF95 and 2020 formulations is 0.68% and 0.46%, respectively, The maximum error is more telling, at 267% and 40%, respectively, as shown in the attached figure. I welcome your discussion.
Relevant answer
Answer
I personally don't have a need for steam at such high pressures, but several people have asked for this in support of their research. One guy was working with deep well fracking, another was working with shock waves, and a third was doing some sort of astronomical calculations related to Jupiter. Of course, we don't know for sure if there is any water on Jupiter. A very high temperature application is when they squirt water into the base of the launch pad beneath the Saturn V booster to keep the cement from disintegrating and the steel from melting. I know a guy who is working for a contractor that's supposed to provide some design calculations for that. By the way... My first boss when I got out of school (Dr. William R. Waldrop) is the guy who wrote the 3D transient computer model of the Saturn V booster, which was a deliverable in Lockheed's contract with NASA. It was a FORTRAN program written on punch cards. Who would have thought they'd still be using the same design?
  • asked a question related to Archives
Question
3 answers
The attached ANSYS archive is a very simple model of a door hinge. I would like to be able to see the stress in the hinge as it closes. However, I must be misunderstanding how this is supposed to be done because when I run the simulation, the hinge doesn't move. It's almost like the connection is bonded even though it's frictional contact. What is the correct means of simulating dynamic movements of parts?
P.S. This is a simplified example of an issue I'm having with a larger model. The larger model includes two load steps prior to when parts should start moving. Specifically, I am applying a preload to bolts in the first load step, and applying gravitational acceleration (which applies the load to the "hinge" via the weight of the "door") in the second load step. Following that, everything else is the same.
Relevant answer
Answer
Hi Tim, I had the same problem, I found the solution with Explicit Dynamics, because this solver has been able to consider the time. Of course, I want know how analyze with transient Estructural, Please if you have the answer help me.Best Regards
  • asked a question related to Archives
Question
5 answers
I am looking for a specific issue of René Worms' Revue internationale de sociologie somewhen between 1925 and 1927. Do you know of any online archive beyond Gallica?
Relevant answer
Answer
It seems that that mgazine is located at Paris
Bibliothèque de l'Hôtel de Ville
The are telling that they have years 1925, 1926 & 1927
Best Regards
  • asked a question related to Archives
Question
3 answers
I want to develop a strategic marketing plan and for this, I design holistic case study with thematic analysis but as a data source I plan to use document/archive records and researcher participant observation in my company (Yin, 2015) are the sources, the design and analysis complement each other? basically the data source would be enough for qualitative case study?
Thanks
Relevant answer
Answer
Buy or borrow a textbook of qualitative data analysis. I rely on Gorman & Clayton "Qualitative Research for the Information Professional", which, despite its title, is generally applicable.
  • asked a question related to Archives
Question
3 answers
I need the yearly Rainfall Statistics of India (2001-2017). I have got from 2012-2017. However I am unable to find the reports for rest of the years mentioned above. Can anybody please provide me any link to find those reports?
Thanks in advance.
Relevant answer
Answer
IITM Pune and IMD homepages should be a great choice.
  • asked a question related to Archives
Question
4 answers
I am a Computer Engineer, so do not have any knowledge of FEA and have never used Ansys before. I have a 4x4 plain fabric weave model with properties of vectran and I want to do creep analysis on this model. But I am not sure which creep model to use and how to calculate the creep constants.
From one of the research papers, I have obtained some constant values (beta) for vectran (%elongation/log(t)). But I am not sure if I can make use of these values directly as C1 or C2 in Ansys.
This is the research paper for reference.
Relevant answer
Answer
Following the answers.
good question
  • asked a question related to Archives
Question
2 answers
I have submitted an article to this journal but can not find any article that they have published in the past. When I go to their website the sections labeled "In Press", "Current Issue" and "Archive" all state that the section will be updated soon. However, it has been that way for a while. I have searched Google Scholar, Medline and Research Gate with no luck. I have also asked the editor to tell me where and how I can view past publications and for recent DOI designations. Again no luck. I would appreciate any evidence that they are actually publishing articles.
Relevant answer
Answer
This is a predatory journal, and all of the things you stated that you were concerned about are the clear indicators. Publishing in one of these can seriously jeopardize your future research publications. Always first check journal name against the predatory list of journals and publishers, and check well established databases.
  • asked a question related to Archives
Question
2 answers
I downloaded the MRI breast database from cancer imaging archive but it does not include ground truth images
  • asked a question related to Archives
Question
4 answers
I do scientific work
Relevant answer
Answer
an electronic archive have more benefits; it preserve the digital memory of the enterprise which is of permanent value. However preserving permanently it means digital preservation strategy, which involves rigorous record assessment, technology migration, new long-lasting or permanent storage media such as microfilm and glass storage (see project SILICA @Microsoft news https://news.microsoft.com/innovation-stories/ignite-project-silica-superman/) (see also 5D optical memory technology by Professor Peter kazansky, University of Southampton https://www.southampton.ac.uk/news/2016/02/5d-data-storage-update.page#_ga=2.207183702.499785636.1573659333-994277002.1573658806 )
  • asked a question related to Archives
Question
1 answer
The website and manual are too general and do not explain well. I have the radiation data from sensors. Have to make a quality check. How can I use the BSRN toolbox to create station to archive file? The report and website are too naive' to explain.
Relevant answer
Answer
did you get a solution Sir ?
  • asked a question related to Archives
Question
4 answers
I have looked up Cancer Imaging Archive but I need a bigger dataset. Can anyone help me out with some good places to look at for more images with and without contrast agents?
Relevant answer
Answer
Have you thought of approaching a large hospital in your area. They may allow you to access deidentified image data sets. They may need you to go thorough ethics but it could be worthwhile in the end to get good data.
  • asked a question related to Archives
Question
2 answers
I am writing a research paper on an electronic archive of documents
Relevant answer
Answer
You can have a look on the book which is also online:
Caroline Y. Robertson-von Trotha, Ralf H. Schneider (Hg.) unter Mitarbeit von Christine Wölfle: Digitales Kulturerbe. Bewahrung und Zugänglichkeit in der wissenschaftlichen Praxis (= Kulturelle Überlieferung - digital 2). Karlsruhe: KIT Scientific Publishing, 2015, S. 81-96. (http://www.zak.kit.edu/2643.php)
There are examples, also from the Behring archives in Marburg, Germany, in my paper.
  • asked a question related to Archives
Question
6 answers
The morals and principles have taken back seat behind competition. The later is driven by technology, smart working, feedback, etc. The employees are getting marginalized due to disparity created by such practices. This is damaging the organization's archive of knowledge. So, the systems are anticipating the need for coaching and mentoring - an approach to build a social commitment and loyalty towards the organization.
Relevant answer
Answer
Coaching and mentoring can inspire and empower employees, build commitment, increase productivity, grow talent, and promote success. They are now essential elements of modern managerial practice. However, many companies still have not established related schemes. By not doing so, they also fail to capitalize on the experience and knowledge seasoned personnel can pass on.
  • asked a question related to Archives
Question
1 answer
I do not know what software is effective and reliable at work
Relevant answer
Answer
Dear Dr. Sofiia Vakulich,
I send you the following notes/papers that seem interesting and easily accessible even to people who are not specifically experts in the field:
- Archiving, Document Management, and Records Management
By Stan Garfield (2017)
- Design and Implementationof an Electronic Document Management System
Mahmood, A. & Okumus, İ. T.
MAKÜ-Uyg. Bil. Derg., 1(1), 9-17, 2017
- Development of Electronic Document Management Systems: Advantage and Efficiency
I. N. Burtylev, K. V. Mokhun, Y. V. Bodnya, D. N. Yukhnevich
Science and Technology (2013)
- Top 10 Archiving Software | Easy Solutions for Your Needs‎
Best regards, Pierluigi Traverso