Document
stringlengths
87
1.67M
Source
stringclasses
5 values
Page:Silversheene (1924).djvu/55 him in a low voice, petting him on the head as he talked. "I am in a tight place, old pal, and you must stick by me. The folks think you will desert me, but I know better. We must stand by each other if it comes to a fight at close range." Five minutes later one of the wolves appeared in the road a dozen rods away, but the young man knew that he must not take any chance shots. All his cartridges must count, so he waited. Then another gray shape appeared and then another. There were three of them and God only knew how many more. Silversheene saw them also and he stood waiting with his mane still bristling and his eyes like blazing coals. An hour passed and the three gray shapes had gradually drawn in toward them within fifty feet. They skulked behind boulders and trees, and did not long stay in the open. The man shouted at them, but it had no deterrent effect for they kept right on nar-
WIKI
Elisabeth Wandscherer Elisabeth Wandscherer (died 12 June 1535) was a Dutch Anabaptist. She lived in Münster during the reign of Jan van Leiden and was chosen by him as one of his sixteen spouses in June 1534, when he introduced polygamy because women in the city greatly outnumbered surviving men. During the starvation of 1535, she openly criticized Leiden by saying that it could not be the will of God that the public should starve while Leiden and his court lived in luxury. She returned the jewelry given to her by Leiden and asked to leave the city. He refused, had her arrested and beheaded on 12 June 1535. Her execution was frequently used in propaganda attacking the Anabaptists.
WIKI
marcoresk marcoresk - 9 months ago 44 Python Question OpenCv doesn't accept multiple draw instructions in a function (in Python) I am following this opencv tutorial about pose estimation and "augmented reality", and modifying it to work in real time with a webcam. All works well but I found this strange fact. I have to show some code first. The tutorial tells me to define an external draw function like def draw(img, corners, imgpts): corner = tuple(corners[0].ravel()) img = cv2.line(img, corner, tuple(imgpts[0].ravel()), (255,0,0), 5) img = cv2.line(img, corner, tuple(imgpts[1].ravel()), (0,255,0), 5) img = cv2.line(img, corner, tuple(imgpts[2].ravel()), (0,0,255), 5) return img to draw the 3 axes on my chessboard, then display it in my video with imgpts, jac = cv2.projectPoints(axis, rvecs, tvecs, mtx, dist) img = draw(img,corners,imgpts) # Draw and display the corners cv2.imshow('REALITY',img) In this way, the script draws only the blue (X) line. But if I define 3 different functions like def drawx(img, corners, imgpts): corner = tuple(corners[0].ravel()) img = cv2.line(img, corner, tuple(imgpts[0].ravel()), (255,0,0), 5) #img = cv2.line(img, corner, tuple(imgpts[1].ravel()), (0,255,0), 5) #img = cv2.line(img, corner, tuple(imgpts[2].ravel()), (0,0,255), 5) return img leaving uncommented every time a different line, then draw the lines in sequence on the same image like this imgx = drawx(img,corners,imgpts) imgy = drawy(img,corners,imgpts) imgz = drawz(img,corners,imgpts) # Draw and display the corners cv2.imshow('REALITY',img) I obtain the goal of the tutorial, exactly like this, plus the fact I obtained a script to work in real time. This is a workaround, but it works. My question is: why openCV does not draw the three lines in the same function? It depends on my openCV version (2.4.8)? It depends on my python version (2.7)? UPDATE1 After Micka's request (I hope to undertand it well) I modified my original draw function as def draw(img, corners, imgpts): corner = tuple(corners[0].ravel()) img = cv2.line(img, corner, tuple(imgpts[0].ravel()), (255,0,0), 5) img = cv2.line(img, corner, tuple(imgpts[1].ravel()), (0,255,0), 5) img = cv2.line(img, corner, tuple(imgpts[2].ravel()), (0,0,255), 5) print imgpts return img And the result (one set of points as example) is [[[ 323.7434082 162.16279602]] [[ 329.28009033 350.18307495]] [[ 513.23809814 349.89364624]] [[ 512.85174561 161.18948364]] [[ 281.99362183 157.28944397]] [[ 290.17071533 384.95501709]] [[ 512.66680908 384.78421021]] [[ 512.18347168 156.10710144]]] printing them in another way print tuple(imgpts[0].ravel()) print tuple(imgpts[1].ravel()) print tuple(imgpts[2].ravel()) gives something like (351.51596, 55.176319) (352.62543, 254.72102) (542.78979, 256.04565) UPDATE 2 In the comments they suggest to print 3 "simple" lines in a function. I wrote def draw_test(img): cv2.line(img, (0,0), (200,10), (255,0,0), 5) cv2.line(img, (0,0), (200,200), (0,255,0), 5) cv2.line(img, (0,0), (10,200), (0,0,255), 5) return img and surprisingly this time all the 3 lines were printed. Answer Source Simplest code that reproduces this problem and matches what you've got there is as follows. import cv2 import numpy as np img1 = np.zeros((300,300,3), np.uint8) img2 = np.zeros((300,300,3), np.uint8) def draw_1(img): img = cv2.line(img, (0,0), (200,10), (255,0,0), 5) img = cv2.line(img, (0,0), (200,200), (0,255,0), 5) img = cv2.line(img, (0,0), (10,200), (0,0,255), 5) return img def draw_2(img): cv2.line(img, (0,0), (200,10), (255,0,0), 5) cv2.line(img, (0,0), (200,200), (0,255,0), 5) cv2.line(img, (0,0), (10,200), (0,0,255), 5) return img draw_1(img1) draw_2(img2) cv2.imwrite("lines_1.png", img1) cv2.imwrite("lines_2.png", img2) Lines 1: Bad result Lines 2: Good result Function draw_1 here corresponds to your original draw function, and draw_2 corresponds to what you had in UPDATE 2. Notice that in draw_1, you assign the result of cv2.line back to img. This is a problem, since according to the documentation cv2.line returns None. Hence, your first call will turn your image to None, and the remaining two line are drawn to "Nothing".
ESSENTIALAI-STEM
'Not About Playing It Safe': Krista Kim on How Artists Inspire the Metaverse In a desperate attempt to stay relevant with crypto-curious audiences, marketers around the world are FOMOing into the metaverse trend, experimenting with everything from branded non-fungible token (NFT) collectibles, to virtual shops and offices, through to issuing their very own cryptocurrencies. But users are often nonplussed, getting the sense these retail schemes are more about supersizing sales than cultivating community, connection, collaboration and co-creation in the new era of Web 3. This article is part of CoinDesk's Metaverse Week. Krista Kim is a speaker at Consensus 2022, CoinDesk's festival of the year June 9-12 in Austin, Texas. Learn more. As contemporary artist Krista Kim sees it, there are too many corporate executives conceiving these new virtual worlds and not enough artists. As the founder of the Techism Movement in 2014, Kim called for a reconciliation between technological innovation and the creation of art. In 2021, with the emergence of Web 3, she updated her original thesis to recognize the potential for blockchain to realize her vision for an open, decentralized future. With artists and creators at the helm, it’s possible to engage communities through meaningful experiences that have lasting impact and add real value to people’s lives, establishing a deeper connection with users and delivering on their desire for authenticity. In 2020, feeling personally impacted by the isolation and emotional trauma of the coronavirus lockdown, Kim created a therapeutic escape in the form of a virtual house. Based on her digital zen philosophy, she built entirely with light to create a soothing, healing atmosphere, with musical accompaniment by Jeff Schroeder of The Smashing Pumpkins. Dubbed the “Mars House,” it was sold as the world’s first NFT home on SuperRare for 288 ETH ($512,712) in 2021. Kim has partnered with major luxury brands including Louis Vuitton and Lanvin to help them make sense of the metaverse and find relevance with their communities. She is also the creator of Continuum Tour, a sound and light public art installation staged at Aranya Beach, China, and a contributing metaverse editor at Vogue Singapore. In this interview, I spoke to Kim about the shift from Web 2 to Web 3, and how she sees blockchain technologies empowering sovereign individuals to thrive in a world built on immersive, inspiring and artistic experiences. She also explains why today’s pixelated versions of the metaverse are NGMI [Not Gonna Make It], why screens are not our enemy and how DAOs [decentralized autonomous organizations] can facilitate ownership and agency in a radically inclusive, optimistic and resilient future society. This interview has been edited for brevity and clarity. As a pioneering architect of the open metaverse, what do you think people are still getting wrong about virtual worlds today? They don't understand the long-term vision of what the metaverse is. Right now, there's a misconception that gaming platforms are the metaverse – like The Sandbox, Decentraland and Cryptovoxels – those with low-fidelity graphics, where the look of the place is highly compromised. But if you think that voxelized graphics are going to last beyond the next year or two for Gen Alpha, you're mistaken. The future of the metaverse in terms of the quality of the graphics will be photo-real. With the introduction of more advanced hardware, like eyewear with [augmented reality] capabilities, the metaverse will be so powerful that the digital layer will be nearly indistinguishable from real life, with frictionless interplay between the two worlds. What is your take on skeuomorphism? Why are artists and architects still designing digital objects that resemble things in the physical world, when they could create almost anything in virtual environments? What a lot of people in businesses these days have to realize is that you cannot repeat what has been done in the past and think that you will win. The metaverse is the greatest art project in the world, and it requires imagination and creativity. That means that you have to step out of your comfort zone, but most companies don't want to do that. Most professionals who work in corporations are trained to follow the status quo or to follow workflows that have worked in the past, to play it safe. The metaverse is not about playing it safe. The metaverse is about inspiring people and you can only do that through art. There needs to be more artists at the helm, and companies don't know how to negotiate that kind of relationship, where you have artists and creators in the lead. That's why Web 3 is a whole new phenomenon and a whole new corporate structure. What barriers are preventing Web 2 creators from moving into Web 3? Right now, crypto is a high-risk, volatile space. But if you’re looking through a long-term lens, the crypto revolution is already happening. We're simply in the genesis period, so that’s why people are risk averse. You are basically shifting an entire paradigm from a corporate industrial model, where people were taught to obey and to work a nine-to-five job for a company and not have any entrepreneurial skills. Web 3 is all about the sovereign individual being empowered through blockchain to create their own destiny, through their own creations and [intellectual property], while collaborating with others and thriving. And when you think about DAOs, they are going to transform the way the world works. It’s going to pull away from a corporate model, where the corporation is dominating the system, to communities that are coming together to solve the world's problems collaboratively – where people are actually involved and co-invested in projects. This is a completely different model for how the world will function and how things will get done. It will get done through passion and through purpose in Web 3. So it's not just educating people on how to use crypto. It’s learning how to be a whole new kind of human being in a new world. So, of course, there's going to be friction – it’s a completely different way of thinking. Most people think they should limit their screen time, but you’ve embraced the screen as something that could bring meditative effects and even help to treat anxiety. Why? This is a broader conversation about our relationship with technology and innovation. For the most part, there hasn't been much contribution of art into the evolution, aesthetics and uses of technology. That is why I wrote the "Techism Manifesto" in 2014 because I felt the content we were consuming on screens was so commercial that there wasn't a balance. There was no truly aesthetically soothing or humane application of the technology, because art was not at the forefront. Art was not considered an important factor in the development of these technologies. Techism is a call to action – not only in the technology world, but also among the creative world – to collaborate and co-create. Creators have to start thinking about technology as a medium, engaging with it, taking it seriously and finding ways to create that human touch. So it's not just about screens, it's also about the content. Because the screen is a tool. Just as a surgical knife can be used to heal, it could be used to kill. The tool itself cannot be blamed. It’s the intention and the creative process that truly reveals what the effects will be in our broader society. What has changed since you wrote your original manifesto in 2014? Since 2014, we have seen the emergence of Web 3 through blockchain technology. Web 2 was a dark period, particularly in regards to data sovereignty. Surveillance capitalism, I believe, is a very unethical business practice of Web 2 that has dominated our lives, and it's really impacted us in a negative way. Data is power, data ownership is a human right, and people need to be educated about the importance of that. If we were able to capture our data – that is, the personal data leakage that Web 2 companies exploit for monetary gain – and self-custody our own data, we could choose to sell or license that information and be remunerated for it. I believe that would be a fair situation, because our data is a record of who we are. Why do you think we're seeing so few female founders in the space? How can we get more women to participate in Web 3? It's only because we're so early. Web 3 is a space where females can naturally thrive, because it is about collaboration, co-creation and community. Women will thrive in Web 3 unlike any other era of human history, because it is accessible to us. There are no barriers to entry. It is simply a matter of engaging, initiating and creating communities or core groups and teams with other people who can contribute to a project. About two generations from now, we will be much more unified as a transcendent culture in the metaverse. It is actually an extremely spiritual experience to meet people in the metaverse, talk to them, and only care about the person, what they say, what they are about. We're not judging them by any other factor, except maybe they have some cool wings. Allowing people to express themselves as an avatar, no matter what their backgrounds are, makes for genuine human connections that transcend race, religion, gender, and whatever other divisions exist in the real world. All these issues will not be issues in 50 years. People will be activated around causes or common interests instead. It's going to be a whole new world. The views and opinions expressed herein are the views and opinions of the author and do not necessarily reflect those of Nasdaq, Inc.
NEWS-MULTISOURCE
Elephant Managers Association The Elephant Managers Association (EMA) is an international non-profit organization, for elephant professionals and interested people. EMA, having the largest collection of elephant experts and enthusiasts in the world, promotes welfare, husbandry, and scientific research of captive elephants, through its publication "grey matters", communication and relations among elephant managers through an annual conference and publications, and is also engaged in public education, as well as Conservation biology of the worlds wild populations of elephants. History Elephant professionals in North America began, during the early eighties, to gather for informal meetings, and while enjoying the sharing of information, it was realized that there was a need for a formal platform, why EMA was founded in 1988 in Jacksonville Zoo and Gardens, by elephant keepers in USA and Canada. EMA initially focused on husbandry issues and training of elephants, in North America, and has since then become the largest international organization of elephant professionals and enthusiasts, also as an international platform for people outside the USA. Members EMAs present members are Animal care administrators, veterinarians, researchers, educators, zoo volunteers, and wildlife enthusiasts, from all over the world. Anyone interested in elephants, who share the objectives and goals of EMA, can become a member. The present professional members are representing over 80% of all Association of Zoos and Aquariums (AZA) elephant-holding facilities and the majority of private owners and circuses. Board The present board as of 2020, consists of executive Director of EMA, Daryl Hoffman, Curator of Large Mammals at Houston Zoo. President of EMAs board is Vernon Presley who is Curator of Elephants and Ungulates at Fresno Chaffee Zoo. Vice President is Shawn Finnell who is currently involved in the Conservation, Training, & Membership Committees. Other board members include Secretary Tripp Gorman who is elephant keeper at Fort Worth Zoo, Rob Conachie, elephant keeper at Pairi Daiza in Belgium, Adam Felts, Curator of Heart of Africa and Asia Quest at Columbus Zoo and Aquarium, Cecil Jackson, Jr., elephant manager at Cincinnati Zoo and Botanical Gardens, and Mike McClure, General Curator and elephant Manager at The Maryland Zoo. Activities EMA today promote high standards of safety and humane treatment in elephants but is also linked as an independent partner to International Elephant Foundation (IEF), and is serving as an advisory capacity to many regulatory agencies, including United States Department of Agriculture (USDA) and Animal and Plant Health Inspection Service (APHIS). EMA has an Executive Committee to assist in mission-focused actions of the organization, as well as a number of Committees to achieve EMA's mission, including Husbandry, training, Behavioral Enrichment, Conservation, Education, Publications, Research, Ethics & Legislation, Membership, Conference, organization, Nominations, Merchandise, Grants, Scholarships, Honors and Awards, and Social Media.
WIKI
faraday Findomain v0.2.1 - The Fastest And Cross-Platform Subdomain Enumerator The fastest and cross-platform subdomain enumerator. Comparision It comparision gives you a idea why you should use findomain instead of another tools. The domain used for the test was microsoft.com in the following BlackArch virtual machine: Host: KVM/QEMU (Standard PC (i440FX + PIIX, 1996) pc-i440fx-3.1) Kernel: 5.2.6-arch1-1-ARCH CPU: Intel (Skylake, IBRS) (4) @ 2.904GHz Memory: 139MiB / 3943MiB The tool used to calculate the time, is the time command in Linux. You can see all the details of the tests in it link. Enumeration Tool Serch Time Total Subdomains Found CPU Usage RAM Usage Findomain real 0m38.701s 5622 Very Low Very Low assetfinder real 6m1.117s 4630 Very Low Very Low Subl1st3r real 7m14.996s 996 Low Low Amass* real 29m20.301s 332 Very Hight Very Hight • I can't wait to the amass test for finish, looks like it will never ends and aditionally the resources usage is very hight. Note: The benchmark was made the 10/08/2019, since it point other tools can improve things and you will got different results. Features • Discover subdomains without brute-force, it tool uses Certificate Transparency Logs. • Discover subdomains with or without IP address according to user arguments. • Read target from user argument (-t). • Read a list of targets from file and discover their subdomains with or without IP and also write to output files per-domain if specified by the user, recursively. • Write output to TXT file. • Write output to CSV file. • Write output to JSON file. • Cross platform support: Any platform. • Optional multiple API support. • Proxy support. Note: the proxy support is just to proxify APIs requests, the actual implementation to discover IP address of subdomains doesn't support proxyfing and it's made using the host network still if you use the -p option. How it works? It tool doesn't use the common methods for sub(domains) discover, the tool uses Certificate Transparency logs to find subdomains and it method make it tool the most faster and reliable. The tool make use of multiple public available APIs to perform the search. If you want to know more about Certificate Transparency logs, read https://www.certificate-transparency.org/ APIs that we are using at the moment: If you know other that should be added, open an issue. Supported platforms in our binary releases All supported platforms in the binarys that we give are 64 bits only and we don't have plans to add support for 32 bits binary releases, if you want to have support for 32 bits follow the documentation. Build for 32 bits or another platform If you want to build the tool for your 32 bits system or another platform, follow it steps: Note: You need to have rust, make and perl installed in your system first. Using the crate: 1. cargo install findomain 2. Execute the tool from $HOME/.cargo/bin. See the cargo-install documentation. Using the Github source code: 1. Clone the repository or download the release source code. 2. Extract the release source code (only needed if you downloaded the compressed file). 3. Go to the folder where the source code is. 4. Execute cargo build --release 5. Now your binary is in target/release/findomain and you can use it. Installation Android (Termux) Install the Termux package, open it and follow it commands: $ pkg install rust make perl $ cargo install findomain $ cd $HOME/.cargo/bin $ ./findomain Installation in Linux using source code If you want to install it, you can do that manually compiling the source or using the precompiled binary. Manually: You need to have Rust installed in your computer first. $ git clone https://github.com/Edu4rdSHL/findomain.git $ cd findomain $ cargo build --release $ sudo cp target/release/findomain /usr/bin/ $ findomain Installation in Linux using compiled artifacts $ wget https://github.com/Edu4rdSHL/findomain/releases/latest/download/findomain-linux $ chmod +x findomain-linux $ ./findomain-linux If you are using the BlackArch Linux distribution, you just need to use: $ sudo pacman -S findomain Installation ARM $ wget https://github.com/Edu4rdSHL/findomain/releases/latest/download/findomain-arm $ chmod +x findomain-arm $ ./findomain-arm Installation Aarch64 (Raspberry Pi) $ wget https://github.com/Edu4rdSHL/findomain/releases/latest/download/findomain-aarch64 $ chmod +x findomain-aarch64 $ ./findomain-aarch64 Installation Windows Download the binary from https://github.com/Edu4rdSHL/findomain/releases/latest/download/findomain-windows.exe Open a CMD shell and go to the dir where findomain-windows.exe was downloaded. Exec: findomain-windows in the CMD shell. Installation MacOS $ wget https://github.com/Edu4rdSHL/findomain/releases/latest/download/findomain-osx $ chmod +x findomain-osx.dms $ ./findomain-osx.dms Usage You can use the tool in two ways, only discovering the domain name or discovering the domain + the IP address. findomain 0.2.0 Eduard Tolosa <[email protected]> A tool that use Certificates Transparency logs to find subdomains. USAGE: findomain [FLAGS] [OPTIONS] FLAGS: -a, --all-apis Use all the available APIs to perform the search. It take more time but you will have a lot of more results. -h, --help Prints help information -i, --get-ip Return the subdomain list with IP address if resolved. -V, --version Prints version information OPTIONS: -f, --file <file> Sets the input file to use. -o, --output <output> Write data to output file in the specified format. [possible values: txt, csv, json] -p, --proxy <proxy> Use a proxy to make the requests to the APIs. -t, --target <target> Tar get host Examples 1. Make a simple search of subdomains and print the info in the screen: findomain -t example.com 1. Make a simple search of subdomains using all the APIs and print the info in the screen: findomain -t example.com -a 1. Make a search of subdomains and export the data to a CSV file: findomain -t example.com -o csv 1. Make a search of subdomains using all the APIs and export the data to a CSV file: findomain -t example.com -a -o csv 1. Make a search of subdomains and resolve the IP address of subdomains (if possible): findomain -t example.com -i 1. Make a search of subdomains with all the APIs and resolve the IP address of subdomains (if possible): findomain -t example.com -i -a 1. Make a search of subdomains with all the APIs and resolve the IP address of subdomains (if possible), exporting the data to a CSV file: findomain -t example.com -i -a -o csv 1. Make a search of subdomains using a proxy (http://127.0.0.1:8080 in it case, the rest of aguments continue working in the same way, you just need to add the -p flag to the before commands): findomain -t example.com -p http://127.0.0.1:8080 Follow in Twitter: Findomain v0.2.1 - The Fastest And Cross-Platform Subdomain Enumerator Findomain v0.2.1 - The Fastest And Cross-Platform Subdomain Enumerator Reviewed by Zion3R on 5:00 PM Rating: 5
ESSENTIALAI-STEM
[data structure] (Yan Weimin version) implementation and code of relevant functions of sequence table #include<iostream> #include<cstdlib> #include<cstdio> #include<algorithm> #include<cstring> #define MAXSIZE 100 #define OK 1 #define ERROR 0 #define OVERFLOW -2 using namespace std; typedef int Status; typedef int ElemType; typedef struct{ ElemType *elem; int length; }SqList; //Linear table initialization Status Init_List(SqList &L){ L.elem=new ElemType[MAXSIZE]; memset(L.elem,0,sizeof(L)); L.length=0; return 0; } //menu void menu(){ printf("*********1,establish 2. Print***********\n"); printf("*********3,insert 4. Delete***********\n"); printf("*********5,lookup 6. Invert***********\n"); printf("*********7,empty 8. Quit***********\n"); } //establish bool CreateList(SqList &L,int n){ if(n<0||n>MAXSIZE) false; int i; printf("Please enter n number\n"); for(i=0;i<n;i++){ scanf("%d",&L.elem[i]); L.length++; } return true; } //Print Status PrintList(SqList L){ int i; printf("Print all elements in the current sequence table:"); for(i=0;i<L.length;i++){ printf("%d ",L.elem[i]); } printf("\n"); return 0; } //insert Status InsertList(SqList &L){ int m,n,i; printf("Please enter the position and value to insert in the linear table:\n"); cin>>m>>n; if(m<1||m>L.length+1){ printf("Unqualified insertion position"); return ERROR; } for(i=L.length-1;i>=m-1;i--){ L.elem[i+1]=L.elem[i]; } L.elem[m-1]=n; L.length++; return OK; } //delete Status DeleteList(SqList &L){ int m,i; printf("Please enter the number of elements to delete\n"); cin>>m; for(i=m-1;i<=L.length-2;i++){ L.elem[i]=L.elem[i+1]; } L.length--; return OK; } //lookup Status SearchList(SqList L){ int m; printf("Please enter the value you want to find:\n"); cin>>m; int i; for(i=0;i<=L.length-1;i++){ if(L.elem[i]==m){ printf("The location of the deleted element is:%d \n",i+1); break; } } return OK; } //inversion Status ReverseList(SqList L){ sort(L.elem,L.elem+L.length,greater<int>()); return OK; } /*Status SplitSort(SqList L){ int i,j; i=0; j=2; while(j>=L.length){ if(L.elem[i]>L.elem[j]){ int t; t=L.elem[j]; L.elem[j]=L.elem[i]; L.elem[i]=t; i=i+2; j=j+2; } } int m,n; m=1; n=3; while(n>=L.length){ if(L.elem[m]>L.elem[n]){ int temp; temp=L.elem[m]; L.elem[m]=L.elem[n]; L.elem[n]=temp; m=m+2; n=n+2; } } return OK; }*/ //empty void ClearList(SqList &L){ L.length=0; } int main(){ SqList L; Init_List(L); int choice; while(1){ menu(); printf("Please enter the menu serial number:\n"); cin>>choice; if(choice==8) break; switch(choice){ case 1: int n; printf("Please enter the length of the sequence table you want to create\n"); cin>>n; CreateList(L,n); printf("Created successfully!!!\n"); //PrintList(L); break; case 2: //InsertList(L); PrintList(L); break; case 3: InsertList(L); break; case 4: DeleteList(L); // PrintList(L); break; case 5: SearchList(L); break; case 6: ReverseList(L); //PrintList(L); break; case 7: ClearList(L); break; default: printf("Input error!!!\n"); } } //SplitSort(L); //PrintList(L); return 0; } Experience in writing code 1. Header file #Include < cstdio > is c + + to reference the scanf and printf function libraries #include < stdio h> , in order to distinguish from the function library of c + +, it is removed h. Add 'c' before. Similar ones are #include < CString >, #include < cmath >, #include < cstdlib > (which encapsulates many functions, such as free, malloc and other dynamic memory allocation functions) The CIN > > and cout < < in c + + need to be included in the #include < iostream > header file. #Include < CString > common functions contained in header file 1. strcpy function • Prototype: char* strcpy (char *s1, const char *s2); • Function: copy string 2 to character array 1 • explain: • The length of character array 1 should not be less than the length of string 2 • "Character array 1" must be written as an array name, and "string 2" can be a character array name or a string constant • When no initial value is assigned to character array 1, the string in "string 2" and the subsequent "/ 0" are copied into character array 1 to replace the first n+1 characters, and the following characters are the original characters of "character array 1" 2. strncpy function • Prototype: char* strncpy (char *s1, const char *s2, size_t len); • Function: copy the first len characters of s2 to the address specified in s1 without '\ 0' 5. strxfrm function • Prototype: size_t strxfrm (char *s1, const char *s1, size_t len); • Function: according to the current area option of the program, copy the first len characters (bytes) of s2 to the address specified in s1 without '\ 0' 6. strcat function • Prototype: char* strcat (char *s1, const char *s2); • Function: connect string 2 to string 1 (string 1 should be large enough) • Note: the first two strings of the connection have '/ 0'. When connecting, the '/ 0' after the string 1 will be discarded, and only '/ 0' will be retained after the new string 7. strncat function • Prototype: char* strncat (char *s1, const char *s2, size_t len); • Function: connect the first len characters of string s2 to the end of s1 without '\ 0' 8. strcmp function • Prototype: int strcmp (const char *s1, const char *s2); ① Function: compare string 1 and string 2 • Rule: two strings are compared character by character from left to right (compared according to the size of ASCII code value) until different characters appear or "/ 0" is encountered. If all characters are the same, they are considered equal. If different characters appear, the first different character shall prevail • Guidelines: • If string 1 = string 2, the return value of the function is 0 • If string 1 > string 2, the function returns a positive number • If string 1 < string 2, the return value of the function is negative 9. Function strncmp • Prototype: int strncmp (const char *s1, const char *s2, size_t len); • Function: compare the first len characters of s1 and s2 10. Function memcmp • Prototype: int memcmp (const void *s1, const void *s2, size_t len); • Function: compare the first len bytes of s1 and s2 11. Function strcoll • Prototype: int strcoll (const char *s1, const char *s2); • Function: according to the LC in the current area option of the program_ Collate, compare strings s1 and s2 12. Function strchr • Prototype: char* strchr (const char *s, int ch); • Function: find the position of the first occurrence of the given character ch in s 13. Function memchr • Prototype: void* memchr (const void *s, int ch, size_t len); • Function: find the position of the last character 'Ch' in the string. If the character ch exists in s, return the pointer of the position where ch appears; Otherwise, NULL is returned. 14. Function strrchr • Prototype: char* strrchr (const char *s, int ch); • Function: find the position of the last occurrence of the given character ch in the string s, and r means starting from the end of the string 15. Function str • Prototype: char * str (const char * S1, const char * S2); • Function: find the position of the first occurrence of the specified string s2 in the string s1 20. Function strlen • Prototype: size_t strlen (const char *s); • Function: it is a function to test the length of the string. The value of the function is the actual length of the string (excluding "/ 0") 21. Function memset • Prototype: void* memset (void *s, int val, size_t len); • Function: set len bytes from s to val 23. Function_ strlwr • Prototype: char*_ strlwr( char *string ); • Function: change the uppercase letters in the string into lowercase letters 24. Function_ strupr • Prototype: char*_ strupr( char *string ); • Function: replace lowercase letters in the string with uppercase letters #Include < cmath > common functions contained in header file 1,double pow(double x,double y); Calculate the y-power of X 2,double sqrt (double); Open square 3,(1). ceil() round up       (2). round() round       (3). floor() rounded down 4. Absolute value       (1). int abs(int ); Find the absolute value of an integer       (2). double fabs (double); Absolute value of realistic type       (3). double cabs(complex); Find the absolute value of complex number #Include < algorithm > header file The use of sort function needs to add header file #include < algorithm > and using namespace std; 2. Dynamic allocation and static allocation of linear table typedef struct{ int data[MaxSize]; int length; //Current length }SqList; //Static definition of sequence table typedef struct{ int *data; int MaxSize; //Maximum capacity int length; //Current length }SeqList; Keywords: C++ Algorithm data structure Added by parboy on Mon, 14 Feb 2022 13:59:50 +0200
ESSENTIALAI-STEM
Rockfall Rockfall is a generic term to describe the free movement of material from steep slopes. The German language further distinguishes between pebble/block fall and rock fall. Pebble and block fall (Steinschlag, <100m3)  Characterized by the sudden detachment of individual components.   Rock fall (Felssturz, >100m3)  During a rock fall, a large volume of rock is detached en masse. While falling the mass disintegrates into individual boulders and pebbles. In contrary to rock avalanches, the interaction between individual components does not influence the movement of a rock fall.  Rockfall Campocologno Rockfall in Switzerland  Natural thawing and freezing processes promote the physical weathering of rock in the Alps. Because the Alps are a geologically young mountain range with prominent high peaks and steep valleys, falling rocks are an almost daily event there.   In the past, small settlements and infrastructure were often organised in a way that enabled the avoidance of known rockfall areas. In the more recent past, increasingly valuable buildings and infrastructure have also been protected against rockfall using technical measures (e.g. rockfall protection galleries above important transport axes). Steinschlag Schynige Platte With both types of measures, the problem remains, however, in the case of new and unexpected rockfalls. Hence, the Swiss Federal Institute for Forest, Snow and Landscape Research (WSL) focuses intensively on the research of rockfall processes and the design of new protective measures based on state-of-the-art technology.   As a result of the increase in temperature in the mountains, areas are increasingly affected by physical weathering (thawing and freezing processes) which previously were rarely exposed to temperatures above freezing. In addition, the areal reduction of permafrost and retreating glaciers in the Alps exposes additional areas, which can become potential sources for the formation of rockfall due to the absence of the stabilising effect of the (ground) ice. The increased rockfall activity in the heat wave summer of 2003 demonstrated the effects of melting permafrost on the triggering of natural hazard processes. The Eiger rockfall of July 2006 in Grindelwald can be explained by the retreat of the Grindelwald glacier.
ESSENTIALAI-STEM
Page:Victoria, with a description of its principal cities, Melbourne and Geelong.djvu/153 " '! " ' ''Government Camp, Ballaarat, " 'December 3, 1854.'' " 'Her Majesty's forces were this morning fired upon by a large body of evil-disposed persons of various nations, who had entrenched themselves in a stockade on the Eureka, and some officers and men were killed or wounded. Several of the rioters have paid the penalty of their crime, and a large number are in custody. All well-disposed persons are requested to return to their ordinary occupations, and to abstain from assembling in groups, and every protection will be afforded to them. " ' " ' Resident Commissioner.' "Since writing the above, we have heard that the armed diggers fired at the soldiers first. We can with difficulty make out the truth, owing to parties who know the particulars being unwilling to furnish them." This extract is the least exaggerated account we have had of the affair, and still, we must observe, that the leading paragraphs are evidently intended to mislead the reader into the belief that the community at large were not implicated, or even aware of the insurrectionary movements, and perfectly
WIKI
Hussey Tower Hussey Tower is a historic tower, dating to c. 1450, located in Boston, Lincolnshire, England. It is a grade II* listed building. It was commissioned by Richard Benyngton, collector of taxes and Justice of the Peace for Boston.
WIKI
"if the man were whole I could turn him over to the police without difficulty. I care nothing for him. He is my enemy. All Americans are my enemy. And he is only a common fellow. You see how foolish his face is. But since he is wounded " These lines by Sadao, a Japanese doctor in the story The Enemy by Pearl S. Buck, describes how citizens of warring nations tend to forget their duties as humans towards prisoners of war and prioritize the mean goals of their Any person captured by the enemy during a war is known as a prisoner of war (PoW). The soldiers of the defeated enemy were imprisoned and subjected to torture and cruelty and were then killed. In earlier times there was no recognition of prisoners of war and everyone who was captured was treated in the same way. The captive, either he or she was involved in the war or was just a citizen of the enemy country, was treated similarly; he or she was tortured and later put to As warfare changed, so did the treatment meted out to the soldiers and other citizens of the defeated enemy who were taken as captives. Not only were the prisoners of war considered as a burden on the State but the treatment which was meted out to them was also questioned. A prisoner of war was taken into captivity not as a piece of property but to prevent him from doing any further harm. Writers such as Jean-Jacques Rousseau wrote on the same theme and with time the treatment meted out to the prisoners improved to some extent. In the late 19th century, wars broke in many parts of the world which added to the number of prisoners of war and during the World War I, the number of the prisoners of war rose upto millions. Many countries and organisations held conferences and formed conventions to look into the treatment which was being given to the prisoners of war. However, many countries refused to ratify those During the World War II, millions of people were taken captive as prisoners of war. Many countries dealt with them as per the conventions ratified earlier however, the dealing of some countries was absolutely barbaric. 5,700,000 Red Army soldiers were captured by the Germans, however, only about 2,000,000 of them survived the war. More than 2,000,000 of the 3,800,000 Soviet troops were captured during the German invasion in 1941 and they were starved to death. The Soviets allocated hundreds of thousands of German prisoners of war to labour camps where most of them died. The Japanese treated their British, American, and Australian prisoners of war brutally and oppressively and only about 60 percent of them survived the war. After the war, the oppressors were tried for the war crimes committed by them and were punished accordingly. The Geneva Conventions, formulated in 1849 and then revised in 1949, were adopted in order to provide minimum protections, ensure standards of humane treatment, and ensure fundamental guarantees of respect to individuals who had become victims of armed conflicts. The Geneva Conventions are a series of treaties on the treatment of civilians, prisoners of war and soldiers who are incapable of fighting. The conventions require the humane treatment of prisoners of war and prohibit torture, mutilation, humiliation and degrading behaviour. The provisions of these conventions are applicable on all the member states. The rights of prisoners of war has always been a debated issue. Some countries do treat their prisoners of war with respect and mete out humane treatment however, some are harsh and brutal. It needs to be ensured that prisoners of war all around the world need to be treated with respect and dignity because just like other people they too are humans and deserve humane treatment. Written By: Akshita Tandon , 4th Year Law Student, University Institute of Legal Studies, Panjab University, Chandigarh
FINEWEB-EDU
Last Updated on July 29, 2019, by eNotes Editorial. Word Count: 1185 1. On the April Sunday that she plants her first seeds, Kim's apartment includes an altar that has contained candles, incense sticks, food, and a photograph of her father to commemorate an anniversary of his death. What are the origins of such family altars to the spirits of the dead? In which cultures are altars to dead ancestors common? How does the Vietnamese family's altar compare with the altars that Latin American families create to observe El Dia de Los Muertos, or the Day of the Dead, each year? 2. Why is Kim living in Cleveland, Ohio, instead of the village in which her father farmed in Vietnam? What events might explain her family's presence in America? 3. Ana tells us the national or ethnic origins of other Gibb Street families but tells nothing about her own origin except that her parents were born in a village named Groza. In what country was Groza? Was it Romania? What was Groza like when her family lived there? Do people still live in Groza? Does it still have that name? Do we see that name on a map? If Ana's family left Groza for America in 1919, what events would be likely to explain their immigration to America? 4. Amir says that the Cleveland population includes many people who came from Poland, and Ana says that Gibb Street once included "a lot of Slovaks and Italians." Which immigrants besides Poles might the label Slovak include? If the Slovaks and the Italians both arrived prior to the Great Depression, when did they leave Europe? What events might explain their immigration? 5. Today, Ana says, she sees families moving to Gibb Street who came from Mexico, Cambodia, and countries she does not know. How might these immigrants' reasons for coming to America compare with the earlier immigrants' reasons? Would the Mexican immigrants have left Mexico for the same reasons that the Cambodians left their homeland? 6. What are the factors that make large numbers of people leave their homelands, and at around the same time, to live in other countries? How have the trends in immigration to America changed since Ana's family moved to Gibb Street in 1919? Which national groups have been the latest to immigrate to America? What caused them to leave their homelands? 7. Can everyone immigrate to America who wishes to do so? When and why did America first encourage immigration? When and why did America first begin to control immigration? What laws serve this purpose? Which federal agency is most in charge of enforcing the immigration laws? What problems is that agency being challenged to solve today? 8. What does it mean to say that an immigrant to America has become naturalized? What process does the naturalization involve? What ceremony signals its formal success? 9. At what stage in their lives in America, according to Ana, did the typical group settle on Gibb Street? 10. At what stage in their lives in America, according to Ana, did the typical group leave Gibb Street? 11. What achievement made it possible, according to Ana, for the typical group to move to better neighborhoods? 12. Would the African Americans living on Gibb Street have come there for the same reasons that the others had come? What were the African Americans commonly fleeing? What were they commonly seeking? To what degrees had they succeeded when this story was told? What main challenges have African Americans, as a group, had to meet? 13. Ana notes that "Negro" families began moving to this section of Cleveland during the Depression and that "Gibb Street became the line between the blacks and the whites, like a border between countries." What might it mean that she has remained on Gibb Street after most of the other white people have left? Was it good for the black people and the white people of the neighborhood to remain as divided as if they lived in separate countries? Why or why not? 14. What did Ana assume that Kim was burying? Why did she think of "drugs, money, or a gun" before she thought of vegetable seeds? 15. Kim tells us that her family was from Vietnam, but Wendell first speaks of Kim as "the Chinese girl," and others speak of her as "Oriental." What might that mean? Is it important to learn how the people of different Asian cultures differ, as well as how they relate? 16. Gonzalo argues two theses, the first being that "the older you are, the younger you become when you move to America." Does his story prove that thesis to our satisfaction? Have you experienced or observed situations that caused your adult relatives to depend upon persons much younger to lead, represent, or supervise them? Did the younger persons prove useful? 17. Why do younger people seem to be able to meet the challenges of life in America? Do you think Gonzalo's second thesis—that cartoons make you smart—is as supportable as his first one? Does Gonzalo appear to have benefited at all from his American school? If he had depended entirely upon the playground and the cartoons to train him, what other things might he have learned besides how to read, write, count, and speak well in English? 18. Leona tells us of the medicinal uses her grandmother made of goldenrod. What do we know about this plant? What can we learn? In what medicines of other names is this herb used today? What are some of the other herbs that are popular in today's medicines? 19. What do we think of the strategy that Leona finally uses to convince the Public Health Department to haul the junk off the vacant lot? Why did she turn to the Public Health Department? Why did she decide to take a sample of the garbage along? Did it help that the City of Cleveland owned the lot? Had that lot been in your own city, what laws would have applied? Is it good for readers to learn these things? 20. What event in the garden was the most effective in making Sae Young feel a part of the family there? What role did Sam play in this change? What role does Sae Young herself play in the change? What do these examples suggest that individuals can do to help others feel a part of their group? 21. The story leaves us to imagine how Kim's family reacted when she began taking beans home to them. What do you think her mother and older sister said? What do you think Kim said or did to explain the beans? What might she have had to do to get her family to believe her? Try dramatizing the scene that you think may have occurred between Kim and her family when she entered their apartment with her first harvest of fresh beans. 22. Except for Mr. Myles' flowers, the garden's plants are all edible and nutritious. Make a list off all the nutritious plants growing the the garden. Which ones would we recognize if we saw them growing in a garden? Why was Wendell sure that what Kim had planted were beans? Why was it better for the teenager who helped Sam to plant pumpkin seeds instead of marijuana?
FINEWEB-EDU
Arleigh Burke Arleigh Albert Burke (October 19, 1901 – January 1, 1996) was an admiral of the United States Navy who distinguished himself during World War II and the Korean War, and who served as Chief of Naval Operations during the Eisenhower and Kennedy administrations. USS Arleigh Burke (DDG-51), the lead ship of its class of Aegis-equipped guided missile destroyers, was commissioned in Burke's honor in 1991. The honor of naming a US naval vessel after a living figure was only the fourth time it had been bestowed since 1861. Early life and naval career Burke was born in Boulder, Colorado, on October 19, 1901, to Oscar Burke and Clara Mokler. His grandfather, August Björkgren, was a Swedish immigrant to the US and changed his surname to 'Burke', a common Irish surname, to sound more 'American'. Due to the 1918 influenza outbreak, schools were closed in Boulder and he never graduated from high school. Burke won an alternate appointment to the United States Naval Academy given by his local congressman. During his time at the academy, Burke was a member of 23rd Company. He graduated from the academy in June 1923, and was commissioned as an ensign in the United States Navy. He married Roberta Gorsuch (1899–1997) of Washington, D.C. Over the next 18 years, Burke served aboard battleships and destroyers, and earned a Master of Science degree in chemical engineering at the University of Michigan in 1931. When World War II came, he found himself, to his great disappointment, in a shore billet at the Naval Gun Factory in Washington, D.C. After persistent efforts on his part, in 1943 he received orders to join the fighting in the South Pacific. World War II Burke spent the remainder of the war in the South Pacific. He successively commanded Destroyer Division 43, Destroyer Division 44, Destroyer Squadron 12, and Destroyer Squadron 23. DesRon 23, known as the "Little Beavers", covered the initial landings in Bougainville in November 1943, and fought in 22 separate engagements during the next four months. During this time, the Little Beavers were credited with destroying one Japanese cruiser, nine destroyers, one submarine, several smaller ships, and approximately 30 aircraft. Burke's standing orders to his task force were, "Destroyers to attack on enemy contact WITHOUT ORDERS from the task force commander." After reviewing the Navy's early unsuccessful engagements with the Japanese, he concluded that uncertainty and hesitation had cost them dearly. The lesson was driven home to him at the Battle of Blackett Strait, when his radar operator made first contact with a ship near the shore but Burke hesitated to fire. A battle soon unfolded which ended in a US victory, which only Burke was unhappy with. Reflecting on the events Burke asked a nearby ensign what the difference was between a good officer and a poor one. After listening to the ensign's response, Burke offered his own: "The difference between a good officer and a poor one," said Burke, "is about ten seconds." Burke usually pushed his destroyers to just under boiler-bursting speed, but while en route to a rendezvous prior to the Battle of Cape St. George the USS Spence (DD-512) became a boiler casualty (a boiler tube was blocked by a brush used for cleaning), limiting Burke's squadron to 31 knots, rather than the 34+ of which they were otherwise capable. His nickname was "31 Knot Burke," originally a taunt, later a popular symbol of his hard-charging nature. An alternative explanation is provided by Jean Edward Smith in his biography of Eisenhower: "During World War Two, Burke mistakenly led his destroyer squadron into a Japanese minefield. Admiral Halsey radioed to ask what he was doing in a Japanese minefield. ‘Thirty-one knots,’ replied Burke”. In March 1944, Burke was promoted to Chief of Staff to the Commander of Task Force 58, the Fifth Fleet's Fast Carrier Task Force, which was commanded by Admiral Marc Mitscher. The transfer stemmed from a directive from the Chief of Naval Operations, Admiral Ernest King, that required a surface commander such as Admiral Raymond A. Spruance to have an aviator as Chief of Staff, and an air commander, such as Mitscher, to have a surface officer as Chief of Staff. Neither Mitscher nor Burke were happy with the arrangement, but as time passed Burke realized he had been given one of the most important assignments in the Navy, and his hard work and diligence eventually caused Mitscher to warm to him. Burke was promoted to the temporary rank of Commodore, and participated in all the force's naval engagements until June 1945, near the end of the war. He was aboard both USS Bunker Hill (CV-17) and USS Enterprise (CV-6) when they were hit by Japanese kamikaze aircraft during the Okinawa campaign. After the end of the war, Burke reverted to his permanent rank of captain and continued his naval career by serving in a number of capacities, including once more as Admiral Mitscher's chief of staff, until the latter's death in 1947. Burke then took command of the cruiser USS Huntington (CL-107) for a cruise down the east coast of Africa. He was promoted to rear admiral in 1949 and served as Navy Secretary on the Defense Research and Development Board. Korean War At the outbreak of the Korean War, Admiral Forrest Sherman, then Chief of Naval Operations, ordered Burke to duty as Deputy Chief of Staff to Commander Naval Forces Far East. From there, he assumed command of Cruiser Division Five, and, in July 1951, was made a member of the United Nations Truce Delegation which negotiated with the Communists for military armistice in Korea. After six months in the truce tents, he returned to the Office of Chief of Naval Operations where he served as Director of Strategic Plans Division until 1954. In April 1954, he took command of Cruiser Division Six, then moved in January 1955 to command Destroyer Force Atlantic Fleet (DesLant). In August 1955, Burke succeeded Admiral Robert B. Carney as Chief of Naval Operations. At the time of his appointment as Chief of Naval Operations, Burke was still a rear admiral (two stars) and was promoted over the heads of many Flag Officers who were senior to him. Burke had never served as a vice admiral (three stars), so he was promoted two grades at the time of his appointment. Chief of Naval Operations Burke took the post of Chief of Naval Operations in May, 1955, with significant reservations. He served at a critical time in world history, during the depths of the Cold War. He was relatively young, age 53, compared to other Flag Officers at the time. He was a hard worker, and seemingly tireless, working fifteen-hour work days six days a week as a norm. He was also an excellent leader and manager, and his ability to create an effective organization were keys to his success. He supported the notoriously demanding Admiral Hyman Rickover in the development of a nuclear-powered submarine force, and instituted the development of submarine-launched ballistic missiles, which led to the Polaris missile program, headed by Burke's selectee Rear Admiral W. F. "Red" Raborn. Burke convened the Project Nobska anti-submarine warfare conference in 1956 at the suggestion of Columbus Iselin II, director of the Woods Hole Oceanographic Institution, where discussion ranged from oceanography to nuclear weapons. At the conference, a statement by Edward Teller that a physically small one-megaton warhead suitable for Polaris could be developed led to Burke's adoption of Polaris over Jupiter. At a time when others in the Navy were very skeptical of the idea of a missile launched from a submarine, Burke succeeded in developing the single most effective deterrent to a nuclear attack on the United States. By 1961 routine Polaris deterrent patrols were in progress and a rapid construction program of Polaris submarines was underway. Burke as Chief of Naval Operations was intimately involved in the Eisenhower administration discussions on limiting the size of the submarine force. Asked "how much is enough?", as to the number of US ballistic missile submarines needed for deterrence, Burke argued that a force of around 40 Polaris submarines (each with 16 missiles) was a reasonable answer. Burke further argued that land-based missiles and bombers were vulnerable to attack, which made the U.S.-Soviet nuclear balance dangerously unstable. By contrast, nuclear submarines were virtually undetectable and invulnerable. He was very critical of "hair trigger" or "launch on warning" nuclear strategies, and he warned that such strategies were "dangerous for any nation." Burke served an unprecedented three terms as Chief of Naval Operations during a period of growth and progress in the Navy. Upon completing his third term, he was transferred to the Retired List on August 1, 1961. Last years Burke, of Swedish descent, was the senior representative of the United States of America at the funeral of King Gustaf VI Adolf of Sweden in 1973. Arleigh Burke died on January 1, 1996, at the National Naval Medical Center in Bethesda, Maryland. He was 94 years old. He is buried at the United States Naval Academy Cemetery, in Annapolis, Maryland. Ship class namesake USS Arleigh Burke (DDG-51), the lead ship of her class of Aegis-equipped guided missile destroyers, was commissioned in his honor in 1991. In 1985, a few months after the ship was ordered, an early keel-laying ceremony was held at Bath Iron Works. Burke marked his initials on material that was later incorporated at the physical keel-laying on December 6, 1988. Burke was one of the very few individuals to be honored by a ship named after them during their lifetime. The Assisted Living section of the Vinson Hall Retirement Community in McLean, Virginia, is named the Arleigh Burke Pavilion in his honor. Medals Additional awards Burke received numerous combat awards during his forty-two years in the Navy, including the Navy Cross, Navy Distinguished Service Medal, Legion of Merit, and the Purple Heart. None were more cherished than two awards that came early in his career. In 1928, while serving aboard USS Procyon (AG-11), he was commended for the "rescue of shipwrecked and seafaring men." In 1939 during his first command, USS Mugford (DD-389), he was commended when his destroyer won the fleet gunnery trophy with the highest score in many years. His ship also stood third in engineering competition and high in communication competition. For his service in Destroyer Squadron 23, Burke was awarded the Navy Cross, the Navy Distinguished Service Medal, the Legion of Merit, and the Presidential Unit Citation awarded to the squadron. The citations follow in part: "The President of the United States of America takes pleasure in presenting the Navy Cross to Captain Arleigh Albert Burke (NSN: 57951/1100), United States Navy, for extraordinary heroism and distinguished service in the line of his profession as Commander of Destroyer Squadron TWENTY-THREE (DesSq-23), operating in the Northern Solomon Islands area during the period from midnight 30 October to noon 2 November 1943. Proceeding through unfamiliar and poorly charted waters, Commodore Burke, under terrific fire from hostile shore batteries and aerial attacks, participated in the initial bombardment of Buka-Bonis and the first daylight assault on Shortland-Faisi-Ballale. Against a Japanese Task Force of superior fire power, he fought his squadron with superb skill in a victorious engagement which resulted in the sinking of five enemy warships and the damaging of four. Later, when sixty-seven hostile bombers launched a deadly attack against his Task Force, Commodore Burke kept up a vigorous barrage of anti-aircraft fire which assisted in shooting down seventeen Japanese planes and driving off the others. His aggressive leadership and gallant conduct under fire contributed to the protection of our beachhead at Empress Augusta Bay and to the successful establishment of our land and air forces on the Bougainville Islands. His actions at all times were in keeping with the highest traditions of the United States Naval Service." * Navy Cross "For exceptionally meritorious service to the Government of the United States in a duty of great responsibility as Commanding Officer of a Destroyer Division and subsequently a Destroyer Squadron operating against enemy Japanese forces in the South Pacific Area from early February to 1 December 1943. Throughout this period, Captain Burke led his forces in many offensive operations... His indomitable fighting spirit and great personal courage contributed directly to the success of our forces in that area and were in keeping with the highest traditions of the United States Naval Service." * Navy Distinguished Service Medal "For exceptionally meritorious conduct...as Commander Destroyer Squadron Twenty-three, in action against enemy Japanese forces northwest of the Bismarck Archipelago, at Kavieng, New Ireland, and Duke of York Island, February 17 to 23, 1944 … (He) expertly directed his squadron in destroying two Japanese naval auxiliary vessels, one large cargo ship, a mine layer, four barges and inflicting severe damage on enemy shore installations and subsequently effected a skillful withdrawal without damage to his vessels..." * Legion of Merit As Chief of Staff, Commander Fast Carrier Task Force, Pacific (Task Force 38), Burke was awarded a Gold Star in lieu of a second Distinguished Service Medal, the Silver Star, a Gold Star in lieu of a second Legion of Merit, and a Letter of Commendation, with authorization to wear the Commendation Ribbon. The citations follow in part: "For... outstanding service... as Chief of Staff to Commander First Carrier Task Force, Pacific, during action against enemy Japanese forces in the Pacific War from 15 December 1944 to 15 May 1945... Commodore Burke was in large measure responsible for the efficient control under combat conditions of the tactical disposition, the operation, the security and the explosive offensive power of his task force in its bold and determined execution of measures designed to force the capitulation of the Japanese Empire... throughout the seizure of bases at lwo Jima and Okinawa, including two carrier strikes on Tokyo, a carrier strike on the Kure Naval Base, and engagement with the Japanese Fleet on 7 April, in which several hostile man-o-war were destroyed by our aircraft..." "For conspicuous gallantry and intrepidity as Chief of Staff to Commander First Carrier Task Force in action against enemy Japanese forces in the Pacific War Area, May 11, 1945. When the flagship on which he was embarked was hit by two enemy suicide dive bombers, Commodore Burke proceeded to a compartment in which personnel were trapped by fire and heavy smoke, and succeeded in evacuating all hands. When the flagship to which he had removed his staff was in turn hit by a suicide plane on May 14, he again arranged for the transfer of his command to a new ship. In spite of all difficulties, he maintained tactical control of the Task Force throughout, thereby contributing materially to the success of the operations..." * Silver Star "For exceptionally meritorious conduct... as Chief of Staff to Commander, Carrier Task Force, Pacific Fleet, from March 27 to October 30., 1944... (He) planned and executed a long series of successful offensive operations in support of the reduction of the outer perimeter of Japanese defenses in New Guinea, the Carolines, the Marianas, Halmshera, and the Philippine Islands. Largely as a result of Commodore Burke's superb professional skill, tireless energy and coolness of decision throughout these operations and during repeated air attacks carried out in strength against heavily fortified strongholds in enemy-controlled waters, the Pacific Fleet has been brought within range of the Japanese Empire itself to continue our relentless drive against the enemy." * Gold Star in lieu of second Legion of Merit "For distinguishing himself in action with the enemy, while serving as a Chief of Staff to Commander First Carrier Task Force, Pacific on May 11, 1945. When the ship in which he was embarked was hit by two enemy aircraft … with utter disregard for his personal safety, (he) efficiently organized the evacuation of endangered personnel. His courage together with his prompt and efficient action was responsible for saving these men..." * Letter of Commendation From September 1950 until May 1951, Burke served as Deputy Chief of Staff to Commander U.S. Naval Forces, Far East, and, for "exceptionally meritorious conduct (in that capacity) from September 3, 1950, to January 1, 1951" he was awarded a Gold Star in lieu of a third Legion of Merit. The citation further states: "Bringing a sound knowledge of Naval Administration and professional skill to his assigned task, Rear Admiral Burke reorganized the rapidly expanded staff to meet its ever increasing responsibilities and, through his unusually fine conception of the essentials of modern warfare, materially improved the mutual functioning of the operation, plans and intelligence sections of the staff... (and) contributed immeasurably to the success of Naval operations in the Korean theater..." While serving as Commander Cruiser Division Five from May to September 1951, and also as a Member of the Military Armistice Commission in Korea, Burke was awarded an oak leaf cluster in lieu of a fourth Legion of Merit by the Army (Headquarters U.S. Army Forces, Far East) by General Order #5, as follows: "For exceptionally meritorious conduct in the performance of outstanding services as a delegate with the United Nations Command (Advance) in Korea, from July 9 to December 5, 1951. Admiral Burke's keen discernment and decisive judgment were of inestimable value in countering enemy intransigence, misrepresentation and evasion with reasoned negotiation demonstrable truth and conciliatory measures. As advisor to the Chief Delegate on all phases of the Armistice Conferences, he proffered timely recommendations for solutions of the varied intricate problems encountered. Through skillful assessment of enemy capabilities, dispositions, and vulnerable abilities and brilliant guidance of supporting Staff officers (he) significantly furthered progression toward success of the United Nation's first armed bid for world peace." Burke was presented a Gold Star in lieu of a third Distinguished Service Medal by President John F. Kennedy at the White House on July 26, 1961. On January 10, 1977, Burke was presented with the Presidential Medal of Freedom by President Gerald Ford. Presidential Unit Citations Burke was also entitled to wear the Presidential Unit Citations presented to Destroyer Squadron 23, USS Bunker Hill (CV-17), USS Lexington (CV-16), and to USS Enterprise (CV-6). Those vessels were, at various times during his period of service, flagships of the Fast Carrier Task Forces in the Pacific. The citation for the citation to Destroyer Squadron 23 reads: "For extraordinary heroism in action against enemy Japanese forces during the Solomon Islands Campaign, from 1 November 1943 to February 23, 1944 … Destroyer Squadron Twenty-three operated in daring defiance of repeated attacks by hostile air groups, closing the enemy's strongly fortified shores to carry out sustained bombardments against Japanese coastal defenses and render effective cover and fire support for the major invasion operations in this area … The brilliant and heroic record achieved by Destroyer Squadron Twenty-three is a distinctive tribute to the valiant fighting spirit of the individual units in this indomitable combat group of each skilled and courageous ship's company..." Other awards In addition to the above, Burke earned the American Defense Service Medal with "Fleet" clasp, the Asiatic-Pacific Campaign Medal with two silver stars and two bronze stars (twelve engagements); the American Campaign Medal; World War II Victory Medal; Navy Occupation Service Medal, the National Defense Service Medal with bronze star (Admiral Burke became retroactively eligible for a second award after his retirement); Korean Service Medal with bronze battle star; the Philippine Liberation Medal with bronze service star; and the United Nations Korea Medal. He was awarded the Ui Chi Medal and the Presidential Unit Citation from the Republic of Korea as well as the Order of the Rising Sun, First Class by the Government of Japan. In 1960 he received the Grand Cross of the Royal Norwegian Order of St. Olav from the Norwegian King. In 1999 Admiral Burke became posthumously eligible for the Korean War Service Medal awarded by the Republic of Korea. Legacy In 1962, Burke co-founded the Center for Strategic and International Studies (CSIS) in Washington, D.C., with David Abshire. CSIS hosts the Arleigh A. Burke Chair in Strategy, which "provides political and military analysis of key strategic challenges facing the United States and the world." It is held as of 2013 by Anthony Cordesman. Burke was elected as an honorary member of the New York State Society of Cincinnati in 1964. In 1991 Burke was awarded the Lone Sailor Award by the U.S. Navy Memorial Foundation for his distinguished career during World War II and the Korean War. The USS Arleigh Burke (DDG-51), a guided-missile destroyer of the United States Navy and lead ship of her class, was named in his honor. The class is one of the most advanced in service and is one of only two destroyer classes currently in active US Navy service. An elementary school was named in his honor in Boulder; it was closed in 1982. Thunderbird Park, also in Boulder, was renamed Admiral Arleigh A. Burke Memorial Park in 1997. In October 2001, a dedication of the memorial was held, featuring a 12-foot, 26,000-pound anchor from a World War II destroyer, a memorial wall containing a bronze relief sculpture of the admiral and a plaque with his biography. The Navy annually awards the Arleigh Burke Fleet Trophy to "the ship or aircraft squadron from each coast selected for having achieved the greatest improvement in battle efficiency during the calendar year, based upon the Battle Efficiency Competition." Winning the Battle "E" is not a prerequisite. The United States Postal Service issued a commemorative stamp pane on February 4, 2010, honoring distinguished sailors. In addition to Burke, the other persons on the stamp pane were Admiral William S. Sims, Lieutenant Commander John McCloy, and Officer's Cook Third Class Doris Miller.
WIKI
Wikipedia:Articles for deletion/Perspective (pharmacoeconomic) The result was delete‎__EXPECTED_UNCONNECTED_PAGE__. If an editor wants to work on this article in Draft space, let me know. Liz Read! Talk! 08:00, 11 December 2023 (UTC) Perspective (pharmacoeconomic) * – ( View AfD View log | edits since nomination) A WP:DICDEF. defines the term in table 1 as "the different viewpoints from which health benefits and costs can be assessed (e.g., patient, provider, payer, society in general)". Could be added to perspective. Darcyisverycute (talk) 07:41, 4 December 2023 (UTC) * Note: This discussion has been included in the deletion sorting lists for the following topics: Health and fitness and Economics. Darcyisverycute (talk) 07:41, 4 December 2023 (UTC) * Draftify. I don't think such specific usage in a narrow field would fit in Wiktionary any more than Perspective (graphical) does. A better sourced article here would be nice, but seeing as the page remained largely unchanged since 2007, I wouldn't be too disappointed if it is deleted. Owen&times; &#9742; 23:52, 4 December 2023 (UTC) * Delete -- The article is currently unsourced entirely, and I cannot find a hint of scholarly sources that mention the concept. To be fair, the signal-to-noise is vile on searches for perspective of any kind, but without at least something in the article, draftifying (or keeping) in hope sources will be found is just wishful thinking, imo. Cheers, Last1in (talk) 23:57, 7 December 2023 (UTC) * There are quite a few academic papers in pharmacoeconomics that use the term. For example, this one includes the following: And this paper is focused on the term. Owen&times; &#9742; 12:15, 8 December 2023 (UTC)
WIKI
Crime in Macau Crime in Macau ranges from triad attacks, gang violence, money laundering, human trafficking, pickpocketing, petty theft, murder, corruption, etc. Law enforcement agencies The Secretary for Public Security used to be the top law enforcement officer in the Portuguese Macau. After the handover of Macau from Portugal to China in 1999, the agency changed to Secretariat for Security. Civil unrest There are several public demonstrations and strikes but they are rarely violent. Human trafficking Human trafficking in Macau is pervasive. Sex trafficking Sex trafficking in Macau is an issue. Macau and foreign women and girls are forced into prostitution in brothels, homes, and businesses in the city. Homicide The number of homicide cases in Macau by year:
WIKI
User:Sudhakar Gyawali Sudhakar Gyawali, Politician Trishul Path-03, Khajahana, Siddharthnagar, Rupandehi, Nepal Ph: +9847022688 Political views: Nepali Congress
WIKI
 Bladder Cancer Prognosis, Causes, Staging, Symptoms, Treatment and Diagnosis on MedicineNet.com Bladder Cancer The bladder Your bladder is a hollow organ in the lower abdomen. It stores urine, the liquid waste made by the kidneys. Your bladder is part of the urinary tract. Urine passes from each kidney into the bladder through a long tube called a ureter. Urine leaves the bladder through a shorter tube (the urethra). The wall of the bladder has layers of tissue: • Inner layer: The inner layer of tissue is also called the lining. As your bladder fills up with urine, the transitional cells on the surface stretch. When you empty your bladder, these cells shrink. • Middle layer: The middle layer is muscle tissue. When you empty your bladder, the muscle layer in the bladder wall squeezes the urine out of your body. • Outer layer: The outer layer covers the bladder. It has fat, fibrous tissue, and blood vessels. Cancer Cells Cancer begins in cells, the building blocks that make up tissues. Tissues make up the bladder and the other organs of the body. Normal cells grow and divide to form new cells as the body needs them. When normal cells grow old or get damaged, they die, and new cells take their place. Sometimes, this process goes wrong. New cells form when the body doesn't need them, and old or damaged cells don't die as they should. The buildup of extra cells often forms a mass of tissue called a growth or tumor. Tumors in the bladder can be benign (not cancer) or malignant (cancer). Benign tumors are not as harmful as malignant tumors: • Benign tumors: • are usually not a threat to life • can be treated or removed and usually don't grow back • don't invade the tissues around them • don't spread to other parts of the body. • Malignant growths: • may be a threat to life. • usually can be removed but can grow back • can invade and damage nearby tissues and organs (such as the prostate in a man, or the uterus or vagina in a woman) • can spread to other parts of the body Bladder cancer cells can spread by breaking away from the original tumor. They can spread through the blood vessels to the liver, lungs, and bones. In addition, bladder cancer cells can spread through lymph vessels to nearby lymph nodes. After spreading, the cancer cells may attach to other tissues and grow to form new tumors that may damage those tissues. See the Staging section for information about bladder cancer that has spread. Picture of the urinary system: kidneys, ureters, and bladder STAY INFORMED Get the Latest health and medical information delivered direct to your inbox!
ESSENTIALAI-STEM
Interferon alpha in Lupus and Inflammation in Osteoarthritis - Update from the HSS Immunoregulation Laboratory Mary K. Crow, MD Mary K. Crow, MD Physician-in-Chief, Hospital for Special Surgery Chair, Department of Medicine, Hospital for Special Surgery Chief, Division of Rheumatology, Hospital for Special Surgery, New York Presbyterian Hospital and Weill Cornell Medical College Senior Research Scientist, Hospital for Special Surgery Professor of Medicine, Weill Cornell Medical College Attending Physician, Hospital for Special Surgery and New York Presbyterian Hospital 1. Current Research Interests 2. Mechanisms of initiation of SLE 3. Mechanisms of tissue damage in SLE 4. Inflammation in osteoarthritis I.  Current Research Interests Among the conditions treated by rheumatologists are the systemic autoimmune diseases, with systemic lupus erythematosus (SLE) the prototype, systemic immune-mediated diseases that preferentially target the joints, with rheumatoid arthritis (RA) the prototype, and osteoarthritis, a degenerative joint disease. Cells and mediators of the immune system contribute to all of these disorders. The goal of the Immunoregulation Laboratory at Hospital for Special Surgery, directed by Dr. Peggy Crow, is to elucidate the underlying immune system mechanisms that account for development of autoimmunity and inflammation in these disorders, with the ultimate aim of identifying new approaches to more effectively treat these diseases. The major emphasis of the laboratory is on the mechanisms that trigger the initiation of autoimmunity and the development of altered immune function that results in cell-mediated tissue damage and autoantibody production. Current work uses SLE as a model disease for study. SLE patients recruited from the HSS patient population comprise the study subjects. II. Mechanisms of initiation of SLE. Immune responses can be divided into two phases: the innate immune response and the adaptive immune response. The innate immune response is triggered by components of microbes that interact with Toll-like receptors, pattern recognition receptors that activate the early phase of an immune response through the transcription factor NF-k B. The consequences of innate immune system activation include the activation of antigen-presenting cells, including dendritic cells, permitting more effective activation of the T cell- and B cell-mediated adaptive immune response, and production of cytokines that help to recruit inflammatory cells to the site of infection and to shape the functional pattern of the immune response. The hypothesis being pursued by Dr. Crow's laboratory is that in parallel to the activation of the innate immune response by microbial organisms, endogenous triggers of an innate immune response can act as stimuli that promote initiation of autoimmunity and autoimmune disease. A current focus of the laboratory is the role of type I interferons, commonly induced in the setting of viral infection, in the initiation and pathogenesis of SLE. The interferons (IFNs) were the first cytokines to be discovered more than 40 years ago. It is now known that there are subfamilies of IFNs, including type I IFNs -- IFNa, IFNß, IFNt, and IFNO -- and type II IFN -- IFN?, IFNß, and IFNa, which has 13 different isoforms, have similar sequences, a common receptor, and are made very early in response to viral infections; IFN?, on the other hand, is made later in the immune response, after antigen is presented to T cells. Recent studies in Dr. Crow's laboratory have focused on the effects of IFNa. The laboratory was prompted to investigate the role of IFNa-induced gene expression in the pathogenesis of SLE because of the following data: (1) This cytokine is elevated in the serum of patients with active SLE; (2) IFNa induces intracellular vesicular inclusions in the renal endothelial cells of patients with SLE and lupus mice, suggesting that IFNa might have a functional impact on cells and possibly contribute to the pathogenesis of the disease; (3) Occasional patients who have received therapeutic administration of IFNa for viral infection or malignancy make typical lupus autoantibodies and in some cases develop clinical lupus; (4) Immune complexes containing lupus autoantibodies (autoantibody plus nucleic acid) and debris from apoptotic cells can induce the production of IFNa by plasmacytoid dendritic cells, the major immune system cells that produce IFNa; and (5) IFNa is one of several maturation factors for immature dendritic cells, turning them into more effective antigen-presenting cells. Using sophisticated microarray analysis, Dr. Crow's laboratory worked with collaborators to show that IFN-induced genes are over-expressed in the peripheral blood of patients with SLE. Microarray analysis is used as a screen to identify genes expressed in a cell population at a given point in time. Dr. Crow's laboratory has used an array containing eight thousand oligonucleotide sequences derived from cDNA libraries isolated from resting and activated leukocytes which are spotted on a glass slide. RNA-derived material from the peripheral blood of patients with SLE is then hybridized to the gene array. Control RNA from patients with osteoarthritis, rheumatoid arthritis (RA), and juvenile chronic arthritis (JCA) were similarly hybridized to the gene array. The results indicate that, in contrast to the mRNAs from RA, JCA, and osteoarthritis patients and healthy controls, mRNAs encoded by IFN-regulated genes are among the most prominent observed in the peripheral blood of lupus patients. Similar results have been reported by several other groups, supporting the significance of the IFN pathway in SLE. While some of the genes over-expressed in SLE are induced by both IFNa and IFN?, the patterns observed appear most consistent with a predominant IFNa, or other type I IFN, stimulus. Studies in Dr. Crow's laboratory, led by Dr. Kyriakos Kirou, using real-time polymerase chain reaction (PCR) analysis of panels of genes exclusively induced by either IFNa or IFN? support the conclusion that type I IFNs are primarily involved in gene induction in the peripheral blood of patients with SLE. PCR analysis has also confirmed the increased expression of IFNa genes in the blood of SLE patients with relatively active disease. Forty-five percent of the lupus population studied by the laboratory has an activated IFNa pathway, a figure which is likely to be partially dependent upon how active the disease is at the time blood is drawn. Activation of the IFNa pathway is not a characteristic of all patients with autoimmune or inflammatory diseases, since real-time PCR demonstrated that patients with RA have similar expression of IFN-induced genes as healthy controls. The laboratory continues to quantitatively analyze IFN-mediated regulation of gene expression in relation to clinical disease features. The laboratory has observed that a significant percentage of the population of patients with the activated IFNa pathway have autoantibodies to RNA-binding proteins. The investigators have been able to identify patients with more active disease and patients with a particular autoantibody profile by measuring the expression of the IFNa-induced genes. An important goal is to elucidate the pathophysiologic link between the ability to make IFNa and the expression of the class of autoantibodies that are specific for RNA-binding proteins. The larger questions which Dr. Crow's laboratory seeks to answer by these types of experiments are how the IFNa pathway affects disease pathogenesis and what is the primary stimulus for IFN production. Dr. Crow postulates that IFNa might act as an "adjuvant"-like factor which could promote immune responses to self-antigens. IFNa provides an important link between the innate and adaptive immune systems. In the normal course of events, self-antigens, derived from apoptotic cells and other sources, may be expressed on the surface of antigen-presenting cells. When dendritic cells and other antigen-presenting cells are exposed to IFNa , they gain augmented capacity to stimulate autoantigen-reactive T cells and may trigger sustained activation of those self-reactive T cells. The T cells could then provide the "help" necessary for the production of autoantibodies by B cells. Therefore, the presence or absence of IFNa may contribute to the development of SLE in some individuals but not others. The actions of IFNa on cells other than dendritic cells could also contribute to SLE pathogenesis. Not only does IFNa activate dendritic cells, but it enhances B-cell responses and promotes immunoglobulin class switching from IgM to IgG. IgG, unlike IgM, can enter the extravascular space and initiate inflammation in the skin and kidney. IFNa also promotes Fas ligand expression on natural killer cells, augmenting their capacity to mediate target cell apoptosis. Once IFNa is produced in large quantities, autoreactive T and B cell production may be enhanced, while at the same time the functional lymphocyte pool is depleted by apoptosis, contributing to an impaired capacity for an effective immune response to microbial attack. While several potential mechanisms can be cited by which IFNa might induce the alterations in immune function that characterize SLE, the issue of why IFNa is produced is a more challenging question. Induction of the type I IFNs can be initiated through cell-surface Toll-like receptors as well as through intracellular signals induced by double stranded RNA. Some Toll-like receptors have specificity for lipopolysaccharide (LPS) found on E. coli; DNA enriched in demethylated cytosine and guanine, found in bacterial and viral DNA; and double-stranded or single-stranded RNA, found in viruses. While these receptors typically recognize various microbial products, they also have the potential to be activated by endogenous stimuli, such as human CpG DNA or RNA. DNA fragments generated during apoptosis or small RNAs encoded by genomic repeat elements or microRNAs are candidates for endogenous triggers of Toll-like receptor activation that might be relevant to SLE susceptibility. Some individuals may be particularly responsive to these endogenous triggers of Toll-like receptors and constitutively produce low levels of type I IFNs. Expression of genes regulated by type I IFNs might occur in a second phase of SLE, when low levels of autoantibodies combine with nucleic acids in the form of immune complexes and efficiently deliver the nucleic acid stimulus to intracellular Toll-like receptors. Increased levels of type I IFNs and induction of IFN-induced genes would follow and disease might then become clinically apparent. Some individuals may respond to this type I IFN production with the expression of IFN? and other pro-inflammatory gene products and represent those patients who go on to have significant inflammation and tissue damage in such organs as the skin and kidney. This model of disease is under investigation through the detailed analysis of gene expression and clinical features in a cohort of SLE patients followed at Hospital for Special Surgery. The diverse data and observations indicating the importance of IFNa to the pathogenesis of SLE suggest that therapeutic targeting of the IFNa pathway may be a promising approach for treatment of SLE. The challenge will be to selectively inhibit the parts of the type I IFN pathway that contribute to disease while leaving intact sufficient IFNs and their receptors to maintain the efficacy of the immune response to microbial infection. There are thirteen known isoforms of IFNa, and currently little is known about how they interact or the conditions under which one or another IFN is expressed. Studies in Dr. Crow's laboratory are underway to determine whether some forms are produced preferentially in specific viral infections and others in SLE and whether they interact with their receptors in a similar manner. Additional studies are needed to understand which forms are involved in the pathogenesis of SLE. If this were known, then it might be possible to direct a therapeutic blockade to those specific IFNs involved in SLE while leaving intact those which provide a defense to microbial infection. It may be possible in the future to develop monoclonal antibodies that specifically block that IFNa pathway which is over-expressed in patients with SLE. III. Mechanisms of tissue damage in SLE A case control study directed by Dr. Jane Salmon at Hospital for Special Surgery and Dr. Mary Roman at Weill Medical College of Cornell University demonstrated that about 40% of patients with SLE develop atherosclerosis earlier than normal individuals, as measured by the presence of carotid artery plaques. Dr. Crow's laboratory is studying some of the mechanisms that may account for this prevalence of premature atherosclerosis. Experiments are underway to determine what cytokines and cytokine-induced gene products are expressed in these patients, with the goal of understanding how and why these SLE patients develop this additional complication. The real-time PCR technique is being used to quantify expression of pro-inflammatory cytokines and mediators that promote or control development of vascular lesions. Dr. Crow has hypothesized that the patients with premature atherosclerosis are a distinct subgroup from those with activation of the IFNa pathway. Patients with atherosclerosis may have a more smoldering disease, where the inflammation builds up over time, compared to those who have high level IFN-induced genes and anti-RNA binding protein autoantibodies. Identification of some of the immune system characteristics of the group of SLE patients with atherosclerosis might permit screening of patients for those characteristics and detection of those patients at risk for this clinical manifestation at an earlier stage in their disease. IV. Inflammation in osteoarthritis While osteoarthritis is not usually considered an immune-mediated disease, Dr. Crow's laboratory has determined that approximately 50% of patients with osteoarthritis demonstrate infiltration of their synovial membrane with inflammatory cells. The laboratory is characterizing how certain cytokines and proteins interact in patients with osteoarthritis to generate joint inflammation and is determining the clinical consequences of that phenotype. The investigators have found that patients who have a high level of serum C-reactive protein, a marker of inflammation, and IL-6 in their joint fluid, are the patients with inflammatory infiltrates in their synovial membranes. The laboratory is currently investigating the gene expression patterns in the synovial tissues of patients with osteoarthritis, with the ultimate goal of understanding how inflammation contributes to disease progression. ^ Back to Top
ESSENTIALAI-STEM
Attacks Grow Sharp as Time Dwindles Gov George W Bush appears before enthusiastic crowds in battleground state of Michigan while his campaign staff spends much of day dealing with onslaught of questions about Bush's admission that he was convicted 24 years ago for driving while intoxicated in Maine; Bush deals with matter by saying he has made mistakes but he has learned from them; he accuses Democrats of 'dirty politics' for publicizing his 1967 arrest; Gore campaign has denied any responsibility; Bush turns to military themes, accusing Clinton administration of leaving military in decline and promising to promote military needs if elected; Bush backs up his remarks by quoting from letter that Sen Joseph I Lieberman, now Democratic vice presidential candidate, wrote to Pres Clinton, expressing concern about cuts in military research; photo (M)
NEWS-MULTISOURCE
Nike Laakdal Wind Park The Nike Windpark Laakdal is a wind park containing 6 RePower MD77 wind turbines with a capacity of 1.5 MW each. It is located on the site of the Nike corporation in Laakdal, Belgium. The wind turbines have a rotor diameter of 77 meters and are installed on a 111.5 meter high steel framework. Roads capable of carrying heavy trucks run between the legs of some of these steel towers.
WIKI
skip to main content Title: Prospects to Explore High-redshift Black Hole Formation with Multi-band Gravitational Waves Observatories The assembly of massive black holes in the early universe remains a poorly constrained open question in astrophysics. The merger and accretion of light seeds (remnants of Population III stars with mass below ∼ 1000 M ) or heavy seeds (in the mass range 104−106 M ) could both explain the formation of massive black holes, but the abundance of seeds and their merging mechanism are highly uncertain. In the next decades, the gravitational-wave observatories coming online are expected to observe very highredshift mergers, shedding light on the seeding of the first black holes. In this Letter we explore the potential and limitations for LISA, Cosmic Explorer and Einstein Telescope to constrain the mixture ratio of light and heavy seeds as well as the probability that central black holes in merging galaxies merge as well. Since the third generation ground-based gravitational-wave detectors will only observe light seed mergers, we demonstrate two scenarios in which the inference of the seed mixture ratio and merging probability can be limited. The synergy of multi-band gravitational-wave observations and electromagnetic observations will likely be necessary in order to fully characterize the process of high-redshift black hole formation. Authors: ; Award ID(s): 1743747 Publication Date: NSF-PAR ID: 10350537 Journal Name: ArXivorg ISSN: 2331-8422 Sponsoring Org: National Science Foundation More Like this 1. ABSTRACT The existence of 109 M⊙ supermassive black holes (SMBHs) within the first billion years of the Universe remains a puzzle in our conventional understanding of black hole formation and growth. Several suggested formation pathways for these SMBHs lead to a heavy seed, with an initial black hole mass of 104–106 M⊙. This can lead to an overly massive BH galaxy (OMBG), whose nuclear black hole’s mass is comparable to or even greater than the surrounding stellar mass: the black hole to stellar mass ratio is Mbh/M* ≫ 10−3, well in excess of the typical values at lower redshift. We investigate how long these newborn BHs remain outliers in the Mbh − M* relation, by exploring the subsequent evolution of two OMBGs previously identified in the Renaissance simulations. We find that both OMBGs have Mbh/M* > 1 during their entire life, from their birth at z ≈ 15 until they merge with much more massive haloes at z ≈ 8. We find that the OMBGs are spatially resolvable from their more massive, 1011 M⊙, neighbouring haloes until their mergers are complete at z ≈ 8. This affords a window for future observations with JWST and sensitive X-ray telescopes to diagnose the heavy-seed scenario,more »by detecting similar OMBGs and establishing their uniquely high black hole-to-stellar mass ratio. « less 2. The existence of 109 M⊙ supermassive black holes (SMBHs) within the first billion years of the universe remains a puzzle in our conventional understanding of black hole formation and growth. The so-called direct-collapse scenario suggests that the formation of supermassive stars (SMSs) can yield the massive seeds of early SMBHs. This scenario leads to an overly massive BH galaxy (OMBG), whose nuclear black hole’s mass is comparable to or even greater than the surrounding stellar mass: a 104 − 106 M⊙ seed black hole is born in a dark matter halo with a mass as low as 107 − 108 M⊙. The black hole to stellar mass ratio is 𝑀bh/𝑀∗ ≫ 10−3, well in excess of the typical values at lower redshift. We investigate how long these newborn BHs remain outliers in the 𝑀bh − 𝑀∗ relation, by exploring the subsequent evolution of two OMBGs previously identified in the Renaissance simulations. We find that both OMBGs have𝑀bh/𝑀∗>1 during their entire life, from their birth at 𝑧≈15 until they merge with much more massive haloes at 𝑧 ≈ 8. We find that the OMBGs are spatially resolvable from their more massive, 1011 M⊙, neighboring haloes until their mergers are complete atmore »𝑧 ≈ 8. This affords a window for future observations with JWST and sensitive X-ray telescopes to diagnose the direct-collapse scenario, by detecting similar OMBGs and establishing their uniquely high black hole-to-stellar mass ratio.« less 3. The existence of ∼10 9 M ⊙ supermassive black holes (SMBHs) within the first billion years of the Universe has stimulated numerous ideas for the prompt formation and rapid growth of black holes (BHs) in the early Universe. Here, we review ways in which the seeds of massive BHs may have first assembled, how they may have subsequently grown as massive as ∼10 9 M ⊙ , and how multimessenger observations could distinguish between different SMBH assembly scenarios. We conclude the following: ▪  The ultrarare ∼10 9 M ⊙ SMBHs represent only the tip of the iceberg. Early BHs likely fill a continuum from the stellar-mass (∼10M ⊙ ) to the supermassive (∼10 9 ) regimes, reflecting a range of initial masses and growth histories. ▪  Stellar-mass BHs were likely left behind by the first generation of stars at redshifts as high as ∼30, but their initial growth typically was stunted due to the shallow potential wells of their host galaxies. ▪  Conditions in some larger, metal-poor galaxies soon became conducive to the rapid formation and growth of massive seed holes, via gas accretion and by mergers in dense stellar clusters. ▪  BH masses depend on the environment (such asmore »the number and properties of nearby radiation sources and the local baryonic streaming velocity) and on the metal enrichment and assembly history of the host galaxy. ▪  Distinguishing between assembly mechanisms will be difficult, but a combination of observations by the Laser Interferometer Space Antenna (probing massive BH growth via mergers) and by deep multiwavelength electromagnetic observations (probing growth via gas accretion) is particularly promising.« less 4. Long-duration gamma-ray bursts are thought to be associated with the core-collapse of massive, rapidly spinning stars and the formation of black holes. However, efficient angular momentum transport in stellar interiors, currently supported by asteroseismic and gravitational-wave constraints, leads to predominantly slowly-spinning stellar cores. Here, we report on binary stellar evolution and population synthesis calculations, showing that tidal interactions in close binaries not only can explain the observed subpopulation of spinning, merging binary black holes but also lead to long gamma-ray bursts at the time of black-hole formation. Given our model calibration against the distribution of isotropic-equivalent energies of luminous long gamma-ray bursts, we find that ≈10% of the GWTC-2 reported binary black holes had a luminous long gamma-ray burst associated with their formation, with GW190517 and GW190719 having a probability of ≈85% and ≈60%, respectively, being among them. Moreover, given an assumption about their average beaming fraction, our model predicts the rate density of long gamma-ray bursts, as a function of redshift, originating from this channel. For a constant beaming fraction f B  ∼ 0.05 our model predicts a rate density comparable to the observed one, throughout the redshift range, while, at redshift z  ∈ [0, 2.5], a tentative comparison with the metallicitymore »distribution of observed LGRB host galaxies implies that between 20% to 85% of the observed long gamma-ray bursts may originate from progenitors of merging binary black holes. The proposed link between a potentially significant fraction of observed, luminous long gamma-ray bursts and the progenitors of spinning binary black-hole mergers allows us to probe the latter well outside the horizon of current-generation gravitational wave observatories, and out to cosmological distances.« less 5. ABSTRACT The identification of the first confirmed neutron star–black hole (NS-BH) binary mergers by the LIGO, Virgo, and KAGRA collaboration provides the opportunity to investigate the properties of the early sample of confirmed and candidate events. Here, we focus primarily on the tilt angle of the BH’s spin relative to the orbital angular momentum vector of the binary, and the implications for the physical processes that determine this tilt. The posterior tilt distributions of GW200115 and the candidate events GW190426_152155 and GW190917_114630 peak at significantly anti-aligned orientations (though display wide distributions). Producing these tilts through isolated binary evolution would require stronger natal kicks than are typically considered (and preferentially polar kicks would be ruled out), and/or an additional source of tilt such as stable mass transfer. The early sample of NS-BH events are less massive than expected for classical formation channels, and may provide evidence for efficient mass transfer that results in the merger of more massive NS-BH binaries before their evolution to the compact phase is complete. We predict that future gravitational-wave detections of NS-BH events will continue to display total binary masses of ≈7 M⊙ and mass ratios of q ∼ 3 if this interpretation is correct. Conversely, themore »high mass of the candidate GW191219_163120 suggests a dynamical capture origin. Large tilts in a significant fraction of merging NS-BH systems would weaken the prospects for electromagnetic detection. However, EM observations, including non-detections, can significantly tighten the constraints on spin and mass ratio. « less
ESSENTIALAI-STEM
User:News Pokhara/sandbox Peace Pokhara Cricket Match: This is a friendly cricket match organized by The Devi's Fall Club ,Pokhara-17.This match is generally played between two teams ( Chhorepatan and Pumdi-Vhumdi ).This year also this match is organized and is scheduled for next Saturday(ie.18th April).The match will be played in T-20 format. This match gives chance for many young players to improve their game. This year the squads are: Chhorepatan: –Pawan Lamsal(wk) -Sagar Poudel(c) -Bimal Thapa -Sisir Karki -Sudip Bastola -Abhishek Bastola -Pranish Gurung -Sachin Shrestha -Sudarshan Regmi -Samir Gurung -Santosh Pageni Pumdi: -Sudip Poudel (wk)(c) -Tez Dhakal -Baburam Dhakal -Narayan Subedi -Narayan Dhakal -Ganesh Subedi -Ramu Ranabhat -Rajesh Pokhrel -Dhowniraj Devkota -Sabin Gurung -Dilli Poudel --News Pokhara (talk) 17:23, 16 April 2015 (UTC)
WIKI
Talk:El Parterre Public domain photo available A public domain photo is available at. doncram (talk) 11:06, 6 May 2009 (UTC)
WIKI
SEO friendly WordPress Network domain mapping URL filters When running a WordPress network with domain mapping, some clients and visitors find it less than re-assuring when the network’s domain appears in the page content (as opposed to the pretty mapped domain). The domain mapping plugin WordPress MU Domain Mapping hasn’t been updated for a while, but it still works perfectly well (WordPress 3.4.2). It filters most content extremely well. However, with the constant advance of WordPress core, a few things are slipping the net. Headers and Background /** * Fix header image url */ add_filter( 'theme_mod_background_image', 'tcb_domap_url_fix' ); add_filter( 'theme_mod_header_image', 'tcb_domap_url_fix' ); function tcb_domap_url_fix( $content ){ if( is_multisite() ) : if( function_exists('domain_mapping_post_content') ) : $content = domain_mapping_post_content( $content ); endif; endif; return $content; } I don’t know if it ever did these (I’ve not been using it long enough to know), but currently these are missed. Easily fixed with the above snippet. Image Widget Plugin Some of our sites use the Image Widget plugin. The author has kindly added some filters so we can fix it in exactly the same way. /** * Fix image widget. */ add_filter( 'image_widget_image_url', 'tcb_domap_image_widget_url_link_mapping', 1, 3 ); add_filter( 'image_widget_image_link', 'tcb_domap_image_widget_url_link_mapping', 1, 3 ); function tcb_domap_image_widget_url_link_mapping( $content, $args, $instance ){ if( is_multisite() ) : if( function_exists('domain_mapping_post_content') ) : $content = domain_mapping_post_content( $content ); endif; endif; return $content; } May all your URLs be pretty! Published by TCBarrett Open Source Architect (Web Geek)
ESSENTIALAI-STEM
User:PBS/Sand Box { | class="navbox collapsible " style="text-align: left; border: solid silver; margin-top: 0.2em; " align="center" ! style="background-color: ;" | * style="border: solid 1px silver; padding: 8px; background-color: white; " | * style="border: solid 1px silver; padding: 8px; background-color: white; " | * } Scottish treaties { | class="navbox collapsible " style="text-align: left; border: solid silver; margin-top: 0.2em; " align="center" ! style="background-color: ;" | * style="border: solid 1px silver; padding: 8px; background-color: white; " | * style="border: solid 1px silver; padding: 8px; background-color: white; " | * } Commission by Francis and Mary * Commission by Francis and Mary to deputies act in the settlement of the affairs of Scotland FRANCIS and Mary, by the grace of God, king and queen of France and Scotland, to all who shall see these present letters, greeting: the thing which we have above all others desired since the death of our most honoured lord and father the king lately deceased, whom God absolve, has been to preserve that peace, amity and confederacy established in his lifetime with our neighbouring christian princes, especially with our most dear and well-beloved sister and cousin the queen of England, by the best offices of friendship that lay in our power, as every one may perceive and know, by the sincerity of our actions, and our gracious deportment towards each of the said princes. But whereas the rebellion of some of our subjects of the kingdom of Scotland has been the occasion, that upon the frontiers of the said kingdom, and those of England, there has been some gathering together of soldiers from both kingdoms, which may have interrupted in some sort our common amity: for the re-establishment whereof, and to pacify the differences which upon this occasion may have intervened, we having received information, that our said sister is willing to depute some persons to repair thither on her part, do hereby publish and declare, that being desirous above all other things to fee Christendom in repose, and to continue that peace which God hath been pleased to bestow upon us, to his honour and the repose of his people; a thing which has been also very dear to us: and having perfect and entire confidence in our trusty and beloved John de Montluc bishop of Valence, and Nicolas de Pelue bishiop of Amiens, both members of our privy-council; James de la Brosse, Sieur de la Brosse, knight of our orders, and chamberlain in ordinary; Henry Clentin, Sieur d'Oysel, gentleman of our bed-chamber, and our lieutenant-general in the kingdom of Scotland, and Charles de la Rochefoucauld, Sieur du Randan, a captain of fifty men of our gens d'armes; and we being well satisfied of their good understanding, virtues, loyalty, experience and conduct: for these and other considerations us moving, have given commissions to them, or any three or two of them in absence of the rest, or during their necessary avocation elsewhere; and by these presents do give commission, order and appointment to the said persons, or any three or two of them, to transport themselves to the frontier of our said kingdom of Scotland, and to meet and assemble with the deputies of our said sister the queen of England, at such time, and in such place, together with such other circumstances as depend thereupon, and as shall be agreed upon by their common and mutual consent, and then and there to treat concerning the renewing of our foresaid mutual amity, and to devise such means as may serve to compose and make up the differences which may have brought an alteration therein, according as they shall perceive the fame to be for the behoof of our service, the peace and tranquillity of our kingdoms, territories, and subjects. And in like manner, to give assurance to our subjects of the kingdom of Scotland, that notwithstanding they have of late committed so grievous a crime, as to forget their duty towards us, if nevertheless they shall repent, and return to that obedience which they owe to us, we are willing to receive them into favour, and to forget all that is past, and not afterwards to make any enquiry into their former behaviour; because we are desirous of nothing more, than to fee them living under obedience to us, and in peace, union and tranquillity together. And generally to do in the premisses, the circumstances and dependences thereof, all and sundry things which we ourselves would or could do, if we were personally present, even altho' something should fall out which might appear to require a more special instruction than is contained in these presents. By which likewise we promise in good faith, and in the word of a king and queen, to hold agreeable, firm and stable all and every thing that shall be agreed, done and concluded by our foresaid deputies, or any three or two in the absence of the rest: and to maintain, keep, observe, approve and ratify the same within the time and after the manner as. they shall agree to; and that we mall never act in the contrary thereof any manner of way. For such is our will and pleasure. In witness whereof, we have signed these presents with our proper hands,. and have caused our seal to b.e appended. Given at Remorentin the 2d day of June, in the year of grace 1560, and of our reigns the first and sixteenth. Signed, FRANCIS. MARY. And in the folding, By the KING and QUEEN. De l'Aubespine. And we subscribers in our own names, and in the names of the rest of the nobility of Scotland, do promise and shall bind ourselves to the within contents. * James Stewart. * Ruthven. * W. Maitland. The expedient proposed by Cecil was accepted of, and adopted by them; and as it is one of the most interesting parts of the Scotch history, I shall give the whole of the treaty in the notes, from the manuscript of Cecil himself, under the title of the "Accord betwixt the French Kyng and Queen of Scots, and the Nobilite of Scotland, 3 die Julii, 1560". * The concessions of Francis and Mary to the nobility and the people of Scotland Altho' war be sometimes permitted, for necessity, for self-defence, and for other just and reasonable causes; nevertheless seeing the effects thereof are afflicting and mischievous, it must of consequence be disagreeable and hateful to all those who have any thing of the fear of God remaining in them. For besides that there can be no war without a dissolution of the bond of charity, which is the true and certain mark whereby true Christians are discernible from those wicked ones who bear the name only of Christianity; humane blood is therein shed with far less regard than that of the brute beasts in the shambles; the whole body of the people is cruelly treated and trampled upon; the ill-deserving arc supported and favoured; the virtuous are oppressed, and constrained to abandon their houses and families; married women arc forced from their husbands; virgins are hal'd away, and made subservient to abominable practices; widows and orphans are left a prey to those whose chief business it is to work mischief. These are the effects of war: and therefore the cry of so many poor afflicted persons cannot fail to reach unto heaven, and be heard by him who cannot lie, and bath promised to revenge the evil which is done to the desolate, whom he hath taken under his own protection and safe-guard. All which inconveniences and mischiefs have been maturely and wisely considered by the king and queen our sovereigns, who desire nothing more than to maintain their subjects in peace, union and tranquillity: and being to their great grief advertised of the troubles which have fallen out of late in this kingdom of Scotland, following their own good and christian disposition, they have given express deputation to the reverend father in God, John de Montluc bishop and count of Valence, one of bis majesty's privy-council, and to Meslire Charles de la Rochefoucauld knight, Seigneur de Randan, chamberlain in ordinary to the king, and captain of 50 gens d'armes, to transport themselves into Scotland, with orders to appease the commotions of war, and reconcile, if possible, all differences, and to notify to the nobility, and all their other subjects in that kingdom, their majesties gracious intentions to receive them into favour, and to retain no remembrance of anything that has-intervened from the beginning of those troubles. Which gracious clemency the Scottish nobility hive received with all due submission and; reverence, both in name of themselves here present, and of those that are absent: and in testimony of their duty, have offered to render to their majesties all that obedience which the true, faithful, and natural subjects of this crown owe to their sovereigns; promising at the fame time to serve their majesties so faithfully, and so to acquit themselves of their bounden duties, that their majesties shall ever have occasion to treat them favourably. And in order to remove all differences which are at present subsisting, as well as to take out of the way the occasions that may chance to create new ones for the time to come, they have presented to the lords deputies a petition, containing certain articles for the preservation and maintenance of their liberties, laws, customs and privileges, and of peace, union and love among the whole subjects: of the which articles, such as haveappeared to be just and reasonable to the lords deputies, the said deputies have granted the confirmation, in name of the king and queen our sovereigns, in manner after following: First, Upon the complaint made by the nobility and people of this country against the number of soldiers kept up here in time of peace, supplicating the lords-deputies of the king and queen to afford some remedy therein, for the relief of the country: The said deputies having considered the said request to be just and reasonable, hare consented, agreed, and appointed, in the name of the king and queen, That hereafter their majesties shall not introduce into this kingdom any soldiers out of France, nor any other nation whatsoever, unless in the event of a foreign army's attempting to invade and possess this kingdom: In which case, the king and queen shall make provision, by and with the counsel and advice of the three estates of this nation. And as for the French soldiers that are just now in the town of Leith, they mail be sent back into France, at the fame time that the English naval and land armies, together with the Scottish array, shall remove in such form as shall be more, amply devised. And it is likewise agreed, that such bands of Scottish soldiers; as are within the town of Leith, shall be disbanded. Item That, no more than six score French soldiers shall be retained in the forts of Dunbar and Inch-keith, to be divided between them two places; sixty whereof, and no more, shall remain in the fort of Dunbar. And if the states can fall upon any secure means, whereby to retrench the expence laid out on these two places, without incurring the danger of rendering them a prey to those that would pretend to make themselves masters of them, they are at freedom to acquaint their majesties thereof with the soonest. But the foresaid number of six score French soldiers shall in no wise be augmented: Nor shall it be allowable for them to do harm or injury to any person, nor yet to receive within their forts any Scottish men of what quality or degree soever, with intention to secure them from the magistrates of the country, or defend them against the officers of justice; nor shall they take any part in private quarrels, which may chance to fall out among the great men or other persons within the kingdom: And if any complaint shall be made against any of themselves, they shall be bound to answer before the ordinary judges of the land, and shall be liable to punishment, according to the laws and customs of the country. Item, It is provided, that to prevent their taking things upon loan, they shall receive their wages regularly each month. And it shall be lawful for two Scottish gentlemen, chosen by the council, to be present at their musters, and to inspect the forts, lest there be more men got into them, than the stipulated number. Item, The soldiers belonging to those two garrisons shall not take to them any victuals, without paying ready money for the same; at least, they shall not take them against the good will and consent of those to whom they belong: And the nobility shall be obliged to furnish them with as much as they stand in need of, provided they have money to pay for the same. Second, As to the petition presented to the lords-deputies, concerning the demolition of fortifications, they have consented, agreed, and appointed, That the fortifications of Leith shall be demolished: And as for Dunbar, two commissioners shall be appointed by the lords-deputies, who, together with two Scottish men, shall visit the place, and consider what therein is fit to be demolished; and such new works as have been added to it, since the beginning of these troubles, together with such as may serve to enlarge the fortification, and render it capable to receive soldiers, shall all be thrown down three days after that Leith begins to be demolished. And forasmuch as by the said demolition, and the few soldiers that are to be left in garrison, the place will be in danger to be surprized, it is accorded, That those who have presented this petition, shall each, in particular, oblige themselves to defend it with all their force, against all those that would attempt to seize it. The same thing shall, in like manner, be agreed upon by the states, with respect to the wardens of the marches. And neither the king, nor the queen, shall hereafter cause to be built any new fortification within this kingdom, nor yet enlarge those that are now subsisting, nor repair those that are now to be demolished, but by the advice and consent of the states. Neither shall they cause to be imported any artillery, ammunition, gun-powder, or vivres, in a greater quantity than shall be necessary for the defence of the two forementioned forts, and the complement of their garrisons from one half year to another, or, at most, from year to year, without the advice and consent of the states foresaid. Third, Touching the petition for the payment of such debts as be owing within this kingdom by the French and Scottish bands, in the service of the king, the lords-deputies have agreed, That the king and queen shall cause to be reimbursed whatever has been given to the king's lieutenant, to the captains, and other officers, for the subsistence of the said bands; and, generally, whatever the king's lieutenant is in debt for his majesty's service, whether the same appear by writing, or by the confession and acknowledgement of the parties. Fourth, Concerning the petition relating to the assembling of the states, the lords-deputies have agreed, consented and appointed, That the states of the kingdom may assemble, in order to hold a parliament on the tenth day of July, now running; and that on the said day the parliament shall be adjourned and continued, according to custom, from the said tenth day of July, until the first day of August next: Provided, that before the states shall enter upon any business, all hostilities, both by English and Scottishmen, be at an end, that so the votes of the meeting may be unconstrained, and none of them be overawed by soldiers, or any other persons whatsoever. And during the interval of adjournment, the lords-deputies shall order a dispatch to the king and queen to advertise them of this concession, and supplicate them most humbly, that they would be pleased to agree to that which they have herein accorded. And this assembly shall be as valid; in all respects, as if it had been called and appointed by the express commandment of the king and queen; provided, always, that no matter whatsoever shall be treated of, before the foresaid first day of August. Fifth, Concerning the article relating to peace and war, the lords-deputies have consented, granted, and appointed, That neither the king nor the queen shall order peace or war within Scotland, but by the advice and consent of the three estates, conformable to the laws, ordinances, and customs of the country, and as has formerly been done by their predecessors, kings of Scotland. Sixth, Touching the petition presented to the lords-deputies, relative to the political government, and the affairs 6f state, within this kingdom, the said lords have consented, accorded, and agreed, That the three estates shall make choice of twenty-four able and sufficient persons of note of this realm; out of which number the queen shall select seven, and the states five; for to serve as an ordinary council of state, during her majesty's absence, for administration of the government. And it shall not be allowed for any person of what rank soever, to meddle in any thing that concerns the civil government, without the intervention, authority, and consent of this council: And the said counsellors shall be obliged to convene as oft as they can conveniently, and not under fix at a time: And when any matter of importance shall occur, they shall be called to consult and give their orders therein; at least, the greatest part must be present. And when any one of the queen's nomination shall happen to die, their majesties shall make choice of another to fill his place, out of the remainder of the twenty-four which were at first presented to them: And in like manner, when one of the five that Here nominated by the states, happens to decease, in that event, the other surviving four shall elect another out of the remainder of the twenty-tour that were nominated first. Moreover, if the states shall find it convenient to add to the number of twelve, two more counsellors; in that case, the king and queen shall chuse one, and the states another. And it is specially declared, That the concession of this article shall in no wife prejudge the. king and queen's rights for hereafter, nor the rights of this crown. And as for the salaries and expences to be paid to the said counsellors, and the officers under them, the lords-deputies engage to employ their interest and good-offices with the king and queen, to obtain these for them out of the revenues of the crown, provided they take care to attend and wait upon their charge. Seventh, Concerning the petition presented to the lords-deputies, respecting the offices of the crown, they have consented, agreed, and appointed, That hereafter the king and queen shall not employ any stranger in the management of justice, civil or criminal, nor yet in the offices of chancellor, keeper of the seals, treasurer, comptroller, and such like offices; but shall employ therein the native subjects of the kingdom. Item, That their majesties shall not put the offices of treasurer and comptroller into the hands of any clergyman, or other person, who is not capable to enjoy a state office; and the treasurer and comptroller shall be invested with powers sufficient for the exercise of their respective offices: But it shall not be lawful for them to alienate or dispose of the wards of marriages, non-entries, casualties, nor of any other things which have relation to their offices, without the advice and consent of the council; that thereby the counsellors may be assured, that every thing is made to return to the queen's profit. Yet the deputies mean not, by this article, to have the queen limited and restrained from a liberty to grant pensions and gifts where she shall think fit. Eighth, The lords-deputies have agreed, That in the enI suing parliament the states shall form, make, and establish an act of oblivion, which shall be confirmed by their majesties, the king and queen, for sopiting and burying the memory of all bearing of arms, and such things of that nature, as have happened since the sixth day of March, 1558. And by this act, all those who have any manner of way contravened the laws of the kingdom, shall be exempted from the pains and penalties contained therein, as if they had never offended: Provided, nevertheless that the privilege of this act be not extended to those, the estates shall not deem worthy thereof. Ninth, It is agreed and concluded, That the estates shall be summoned to the ensuing parliament, according to custon; and it shall be lawful for all those to be present at that meeting, who are in use to be present, without being frightned or constrained by any person. And the estates shall oblige themselves, that in case there happen any sedition, or gathering together of armed force, without the orders of the council, consisting of the forementioned number; the whole country shall look upon the authors and affisters thereof as rebels, and as such shall pursue them' In order to have them punished according to the laws of the kingdom; that so neither the king nor the queen may be at any trouble in sending foreign soldiers hither, for enforcing obedience to themselves. Tenth, It is agreed and concluded, That there shall be a general peace and reconciliation among all the nobility, and other subjects of Scotland; and it shall not be lawful for those persons who have been called the congregation, nor for those who were not of the congregation, to reproach each other with my thing that has been done since the aforesaid sixth day of March. Eleventh, The lords-deputies have offered, agreed, and concluded, That neither the king nor queen shall prosecute, nor take revenge for any thing that is now past and gone; nor shall not allow their French subjects to prosecute nor revenge the same, but shall forget the same, as if it had never been done: And that the lords and gentlemen of Scotland shall comport themselves after the fame manner, for such things as have passed between them and the Frenchmen in this country. Moreover, if by false reports, or by other means, their majesties have conceived sinister thoughts of any of their subjects, they shall forget and change the same: Neither shall they denude or deprive any of their subjects of their offices, benefices, or estates, which they held formerly within this kingdom upon account of their having had any meddling in the things which have fallen out since the sixth day of March foresaid; nor yet assume a pretext or colour from any thing else, to deal so by their subjects, but esteem and treat them in all time coming as good and obedient subjects: Provided, also, that the said nobles, and the rest of the subjects, render unto their majesties, such an entire obedience as is due from faithful and natural subjects to their proper sovereigns. Twelfth, It is agreed and concluded, That it shall not be lawful for the nobles nor any other persons to convene together in arms, except in such cases as are approved by the laws and customs of the land; nor yet to invite and bring in foreign soldiers, nor to enterprize any thing against the authority of the queen, the council, or any inferior magistrates, under the pains of rebellion and other penalties, contained in the laws of the country. And if it happen that any persons whatsoever mould pretend, that they had occasion given them to complain of injuries and to take up arms; in that case it shall be free to them to present a supplication to their majesties, but not until they have first communicated the fame to the council within the kingdom. And all in general shall bind themselves to perform this and all other things which belong to good and loyal subjects, for the peace and tranquility of the country, under the pains foresaid; and to do every thing that lyes in their power, for the preservation of the kingdom, and the rights of their sovereign. Thirteen, It is agreed and concluded, That if any bishops, abbots, or other ecclesiastical persons, shall make complaint; that they have received any harm either in their persons or goods, these complaints shall be taken into consideration by the estates in parliament; and such reparation shall be appointed, as to the said estates shall appear to be reasonable. And, in the mean time, it shall not be lawful for any person to give them any disturbance in the enjoyment of their goods, nor to do them any wrong, injury, or violence. And whosoever shall act in contravention to this article, shall be pursued by the nobility as a disturber of the public weal and tranquillity. Fourteenth, It is agreed and concluded, That the nobility shall bind and oblige themselves to observe, and cause to be observed, all the several points and articles comprehended in and granted by this treaty: And if it should so happen, that any one among them, or any other person or persons shall contravene the same, in that case all the rest of the nobility and people shall be. come enemies to them, and shall pursue them until they be punished according to their deserving. Fifteenth, And to the end, the whole kingdom may perceive, that the king and queen are willing to retain no remembrance of all the by past troubles and differences, and how desirous they are to treat in a favourable manner the nobility and the other subjects of this kingdom, the lords-deputies have agreed, That the duke of Chatleheraut, the earl of Arran, his son, and all other Scottish gentlemen, shall be reinstated in the lands, goods, estates, and benefices, which they formerly held within the kingdom of France, and possess and enjoy them after the same manner as they did before the commencement of the troubles on the sixth day of March 1558, and as if those troubles had never fallen out. And likewise it is agreed, That all the capitulations made in times past, shall be maintained and observed as well by their majesties as by the nobility and people of Scotland; and, in particular, that which was made and agreed at the marriage of the king and queen. And the lord David, son to the duke of Chatleheraut, who is now (prisoner) in the castle of Bois de Vincennes, shall be set at liberty to return into Scotland, or to dispose of himself at his own pleasure. Sixteenth, And whereas the lords-deputies have signified, that the king may have use for his artillery in France, it is advised and concluded, That no other artillery shall be transported out of Scotland, than what was sent thither since the death of the late king of France; and that all other pieces, but especially those which are marked with the arms of Scotland, shall be restored to the places from whence they were taken: And for the distinguishing of these several pieces of artillery, four commissioners shall be appointed, before the embarkation of the troops, viz. two Scottish, and two French gentlemen. Seventeenth, Whereas on the part of the nobles and people of Scotland, there have been presented certain articles concerning religion, and certain other points, in which the lords-deputies would by no means meddle, as being of .such importance, that they judged them proper to be remitted to the king and queen: Therefore the said nobles of Scotland have engaged, that in the ensuing convention of estates, some persons of quality shall be chosen for to repair to their majesties, and remonstrate to them the state of their affairs, particularly those last mentioned, and such others as could not be decided by the lords-deputies; and to understand their intention and pleasure concerning what remonstrances shall be made to them on the part of this kingdom of Scotland: And those gentlemen shall carry along with them, to the king and queen, the confirmation and ratification made by the estates, of the several articles which are presently granted by the lords-deputies; at which time they shall get delivered to them the confirmation and ratification done by their majesties, and even sooner, if the estates shall transmit their own ratification before that time. In witness whereof, the said lords-deputies have signed these present articles, at Edinburgh the sixth day of July, 1560.
WIKI
Seeking Answers, Michael Phelps Finds Himself After attending rehab, the swimmer is not fixated on adding to his record total of Olympic medals in Rio. The journey now is personal. Michael Phelps, pictured on negatives of a photo shoot, will try to qualify for his fifth trip to the Olympics starting Sunday at the United States swimming trials in Omaha.CreditCreditBenjamin Rasmussen for The New York Times COLORADO SPRINGS — The guide enthusiastically led his guest from room to room in the barracks-style building, pointing out features like the emotion tree and providing thumbnail sketches of the people they encountered. He seemed to know everyone, and everyone returned his greetings in kind with a comment that elicited the guide’s generous, rumbling laugh. The tour ended in a television room, where the guest and the guide watched an Arizona Cardinals football game while grazing on snacks. For years, the guide, Michael Phelps, and his guest, Bob Bowman, had watched N.F.L. games together, but from a suite above the Baltimore Ravens’ home field at M&T Bank Stadium, sealed off from autograph- and selfie-seeking strangers but often surrounded by “friends” who fed off Phelps’s swimming fame. The trip to see Phelps by Bowman, his longtime coach, at the Meadows, a treatment center in Wickenburg, Ariz., northwest of Phoenix, in the fall of 2014 was a revelation, an introduction to a man stripped of the armor that had helped make him an athletic machine. Bowman had difficulty reconciling the swimmer who wore headphones to the starting blocks to sequester himself from the outside world, the guy who was so deeply absorbed in his own journey that he did not learn the given names of all of his teammates on the 2004 and 2008 United States Olympic swimming squads, with the person standing before him offering biographical snippets on those who walked past. “He was like, ‘That guy over there, he owns his own company,’ ” Bowman said. “He had a little story about everybody. I had never seen him like that. I looked at him like ‘Who are you?’ ” It is among the questions Phelps, 30, sought answers to in rehab and, in some ways, is still answering as he prepares for his fifth consecutive Olympics. Phelps’s road to becoming the most decorated athlete in Olympic history had been treacherously steep and single-file narrow, as isolating as a deep free diver’s plunge. The years he should have spent developing and embracing his personality were devoted to developing and embracing his swimming talents. It seemed like a path well chosen when Phelps won a record eight gold medals at the 2008 Summer Olympics in Beijing. The years that followed produced more Olympic glory but also a damning photograph of Phelps with a bong, a second D.U.I. arrest and numerous splintered relationships. By the end of 2014, it appeared plain to everyone that the trail Phelps blazed had veered into a dead end. “He had no idea what to do with the rest of his life,” Bowman said. “It made me feel terrible. I remember one day I said: ‘Michael, you have all the money that anybody your age could ever want or need; you have a profound influence in the world; you have free time — and you’re the most miserable person I know. What’s up with that?’ ” Phelps has spent the past year and a half pondering it first in therapy as an inpatient at the Meadows and later in the pool, which started out as his sanctuary, became his glassed-in aquarium and now serves as his platform. His message: Vulnerability is a strength. A plaque outside the natatorium at the United States Olympic Training Center here in Colorado Springs, where Phelps spent several weeks in the spring, hails him as “the most successful Olympian in history with 14 total gold medals,” as if Phelps’s story culminated with the 2008 Olympics. Phelps won six more medals, including four golds, at the London Games four years later, but in a way his narrative — at least the one worthy of proclaiming — did end in Beijing. When Phelps looks at his legacy post-Beijing, all he sees is the tarnish. He has spent the past two years applying elbow grease in the hope of burnishing it. He said he was training as well as he ever had, but his focus was no longer on adding to his record haul of medals: the 18 golds, two silvers and two bronzes. This time, the journey is more personal. He said he was on a quest to leave the sport without remorse over the poor training and worse behavior that defined his pre- and post-2012 Olympic experience. “This time, it’s about trying my hardest, giving it my all,” he said. “I don’t want to live the rest of my life with any regrets.” The journey to Rio de Janeiro started with a six-week stay at the treatment center, about an hour’s drive from where he has spent the past year training under Bowman, who took over as coach of the Arizona State men’s and women’s swimming teams in 2015. Bowman had been firmly against Phelps’s entering the Meadows after his second D.U.I. arrest in September 2014 (his first occurred when he was 19). “I thought he was going someplace in Malibu to sit on the beach for six weeks and he would come out the same,” Bowman said. But then he watched Phelps interact with his fellow patients during the fourth week of his six-week stay and saw the kind, caring young man he remembered before his sharpening turned him into a high-performance machine. At the Olympic Training Center cafeteria in late April, Bowman became emotional when he said, “I never thought that he would ever change.” He added: “He hid everything that makes him human for 12 years. The rehab is what opened him up.” Phelps, once known for his prodigious appetite, has scaled back his calorie intake; that and increasing his postswim ice baths are about the only concessions he has made to age. Phelps, who turns 31 on the fifth day of the trials, said he felt physically stronger in the water, perhaps because of drills Bowman added to his pool workouts, like multiple repeats of 40 seconds of dolphin kicking while hugging a 10-pound weight to his chest. In the cafeteria, Phelps placed on his tray a three-egg omelet, three blueberry pancakes slathered in butter and syrup, and a parfait cup of plain yogurt topped with blueberries and strawberries. As he talked, he cut his pancakes with a knife with the meticulousness of a surgeon. It is one of his habits. Others include warming up in the same lane every day of a meet and lining up the food in his refrigerator with the fastidiousness of a drill sergeant at a parade. A television bolted to a nearby wall was tuned to ESPN. Phelps glanced at the screen in time to see an image of the former Cleveland Browns quarterback Johnny Manziel, who was in the news after being accused of assaulting a former girlfriend and for excessive drinking and partying. “I think Johnny Manziel is taking it to a new level right now,” Phelps said. “It’s really sad.” Phelps’s nadir came two years ago, on the last Monday of September. On his way out of the Horseshoe Casino, two miles from Baltimore’s Inner Harbor, after an evening spent playing poker while drinking, Phelps placed a phone call to his girlfriend, Nicole Johnson. After a two-year estrangement, they had recently gotten back together, a reconciliation set into motion by a soul-baring call from Phelps. It was after 1 a.m. on the East Coast. Johnson, on the West Coast, asked Phelps if he was sure he was O.K. to drive home. He had spent the start of the weekend with her in California at a wedding and had flown home on a redeye, landing in Baltimore less than 24 hours earlier. She said she was concerned that fatigue from his hectic weekend, combined with the cross-country travel, might aggravate the effects of the alcohol in his system. A few minutes later, she received a text from Phelps, who was stopped at a light. “There’s a cop behind me,” he said. An hour passed before her next communication from Phelps, who phoned from jail. His Range Rover had been clocked by the police traveling 84 miles per hour in a 45 m.p.h. zone, and Phelps had been observed crossing the double lines. According to a report in The Baltimore Sun, he failed two field sobriety tests, and a breath analysis recorded his blood-alcohol level at 0.14, 0.06 in excess of the state driving limit. For the next 72 hours, Phelps locked himself in his house and refused to see or talk to anyone. At one point, he texted his agent, Peter Carlisle, and said he wrote, “I don’t want to be alive anymore.” The machine was irrevocably broken. “I didn’t see me as me,” Phelps said. “I saw me as everybody else did — as an all-American kid. Let’s be honest. There’s not a single human being in the world that’s like that.” He took the advice of his inner circle and agreed to go to the Meadows. “I was so afraid coming in,” Phelps said. “I wasn’t ready to be vulnerable. And then, after a couple of days, I said: ‘My wall is down. Let’s get into this and see what’s going on.’ ” For several years, beginning in grade school, Phelps had a recurring dream about snakes. They would appear suddenly in his path, “and I would freak out,” he said. The dream started sometime after his parents divorced when he was 9. Phelps’s father, Fred, who spent more than a quarter-century as a Maryland state trooper, was a shadowy presence in the life of his youngest child and only son. What bonding they did was through sports. His father recalled taking Phelps to Orioles home games. His law enforcement ties allowed him to gain access, with his son, to the clubhouse. Phelps played multiple sports until he was 11, even if he started the day with a swim workout. In 1996, Bowman, new to the North Baltimore Aquatic Club, told Phelps’s parents that their son had the potential to make the Olympics and become a “special” swimmer. But it would require sacrifices from all. They would have to make sure Phelps got to workouts in the early morning and the late afternoon, seven days a week as it turned out, and Phelps would have to give up other sports. Fred Phelps said he had reservations about sending his son down such a narrow path. “He never got a chance to be a teenager, like most normal kids,” he said, adding: “I’d encourage him to take the occasional break. I’d say, ‘Let’s take three or four days, go to the beach.’ And I’d get overruled.” His parents’ divorce was hard on Phelps. He would grow upset when his father missed a swim meet or canceled a father-son outing at the last minute, summoned to work. Phelps said he channeled his anger and disappointment into his swimming workouts. “I would use that for fuel in the pool,” he said. In 2000, Phelps became the youngest male on the United States Olympic swim team, qualifying in the 200-meter butterfly as a 15-year-old. At the Sydney Games, with both parents in attendance, he finished fifth. At the world championships in Barcelona, Spain, three years later, Phelps became the first man to break five individual world records in a meet. The competition foreshadowed his eight-medal haul at the next year’s Olympics, in Athens, and also the jealousy his success would engender. Bowman remembered that when Phelps walked into the dining hall after his first world-record swim, the other American swimmers showered him with hearty applause. After his second and third world-record swims, the reaction was more tepid. By the end of the meet, Bowman said, the clapping was halfhearted. “I remember it so clearly,” Bowman said. “It was like the other swimmers were thinking, What spot of mine is he going to take in the next Olympics?” The same isolation that Phelps experienced in his swimming family, he would recreate in his nuclear family. Sometime after the 2004 Olympics, father and son stopped speaking. “We’re both a little hotheaded and we react emotionally,” Phelps said. “I knew exactly how to set him off, and he was the same way with me.” Phelps’s original goal had been to raise the profile of the sport. After his superstar turn at the 2008 Olympics, he felt trapped because of how well he had accomplished his mission. In retrospect, Bowman said, Phelps probably should have retired after the Beijing Games. But he was 23 years old, with no college degree, and several of his corporate partners, as well as swimming’s national governing body, were keen on his continuing to grace the world stage. “We created a monster, and after Beijing it was too big to fail,” Bowman said. “We had to do whatever we could to keep it going. That’s how we got to London. The deal with his dad, how to come to grips with his fame, those kinds of things, I thought, we’ll deal with later.” Phelps described his decline as inevitable and said: “It’s like we dreamed the biggest dream we could possibly dream and we got there. What do we do now?” In 2009, a photograph surfaced of Phelps smoking from a marijuana pipe. The picture was taken at a small private gathering where Phelps believed he was among friends. After that, Bowman said, Phelps changed. He became warier, wearier. Despite a general lack of interest in training, Phelps qualified for the 2012 Olympics with minimal preparation and won four golds and two silvers. He retired to the golf links, but with no structure to his days and no energy-sapping exercise to mitigate his symptoms of attention-deficit hyperactivity disorder, he acted with more impulsivity. Phelps drank alcohol, sometimes heavily, and hung out with people who enabled his sometimes reckless behavior. Bowman could not reach him. Neither could Phelps’s mother, Debbie. He refused to take her calls or answer the door when she made trips to his house to check on him. “I was just pushing people away,” Phelps said. At the treatment center, he reached out to Bowman, his mother, his sisters and his father, whom he invited to a family weekend. Upon receiving the letter of invitation, Fred Phelps almost immediately booked his travel. “That’s my baby boy,” he said, “so I was going to be there for him whether he cold-shouldered me or not.” Since that weekend, Phelps and his father have kept in regular contact. When Phelps was on the plane traveling home from here in May for the birth of his first child, a son, Boomer, he exchanged texts with his father. Since their rapprochement, Phelps has slept better. “It’s kind of weird,” he said. “Once my father and I started talking, I haven’t had a dream about snakes since.” In his second week of rehab, the men’s circle he attended awarded Phelps the saguaro stick, a symbol of power passed on each week to a patient who exhibits leadership qualities. Phelps said he paraded around with it more proudly than he did any of his Olympic medals. He began reading books, sometimes aloud in group sessions, and it has become a habit. One day, he casually mentioned to Bowman that he was reading “Man’s Search for Meaning,” by Viktor E. Frankl, a Holocaust survivor who became a psychiatrist. Bowman was shocked. He said he had seen Phelps read only magazines. As the trials drew near, Phelps ordered “The Power of Your Subconscious Mind,” by Joseph Murphy, and “The Purpose Driven Life,” by Rick Warren. To paraphrase Warren, what on earth is Phelps here for? For starters, he said, to be Johnson’s life mate and his son’s father. To have more medals than any other Olympian? He said he no longer sees that as his sole reason for being. Phelps was in his second week of therapy when he experienced the breakthrough that has been like a second wind propelling him forward. At lunch one day, he was his usual talkative, hyper self. After working out for two hours to expend his energy, he found himself brooding about his behavior, as he often did. “I was afraid to show who I was,” he said, “so I had all these personas.” In the shower, he shed all his second skins. Phelps said: “I thought: Oh my God, do these people think I’m annoying? Do they not want to be around me? Then I thought, Why do I care? If I talk too much, if I laugh really loud or if I’m hyper at times, or a real pain in the ass, at the end of the day why does it really matter? “Right then and there it was like there’s no point for me to try to be somebody I’m not. This is who I am.” An article last Sunday about the swimmer Michael Phelps after his stay in a rehab clinic referred imprecisely to his performance at the 2008 Summer Olympics in Beijing. While he won eight gold medals, three of them were for relays; all eight were not for individual events.
NEWS-MULTISOURCE
Flowers (Joan of Arc album) Flowers is the twelfth studio album by Joan of Arc released in 2009 on Polyvinyl Records. The album was announced on March 13 for release on June 9. In addition, the album's track listing and artwork were revealed. Track listing * 1) Fogbow - 4:07 * 2) The Garden of Cartoon Exclamations - 5:05 * 3) Flowers - 6:38 * 4) Fasting - 2:10 * 5) Explain Yourselves #2 * 6) Tsunshine - 6:04 * 7) A Delicious Herbal Laxative - 2:15 * 8) Explain Yourselves - 4:11 * 9) Table of the Laments - 2:28 * 10) Fable of the Elements - 2:12 * 11) Life Sentence / Twisted Ladder - 4:18 * 12) The Sun Rose - 1:24
WIKI
Page:The Eyes of Max Carrados.pdf/31 Rh whom she comes into contact, caused by their emotions. . . . One day, while she was walking out with her mother and Mr Anagnos, a boy threw a torpedo, which startled Mrs Keller. Helen felt the change in her mother's movements instantly, and asked, 'What are we afraid of?' On one occasion, while walking on the Common with her, I saw a police officer taking a man to the station-house. The agitation which I felt evidently produced a perceptible physical change; for Helen asked excitedly, 'What do you see?' "A striking illustration of this strange power was recently shown while her ears were being examined by the aurists in Cincinnati. Several experiments were tried, to determine positively whether or not she had any perception of sound. All present were astonished when she appeared not only to hear a whistle, but also an ordinary tone of voice. She would turn her head, smile, and act as though she had heard what was said. I was then standing beside her, holding her hand. Thinking that she was receiving impressions from me, I put her hands upon the table, and withdrew to the opposite side of the room. The aurists then tried their experiments with quite different results. Helen remained motionless through them all, not once showing the least sign that she realised what was going on. At my suggestion, one of the gentlemen took her hand, and the tests were repeated. This time her countenance changed whenever she was spoken to, but there was not such a decided lighting up of the features as when I held her hand. "In the account of Helen last year it was stated that she knew nothing about death, or the burial of the body; yet on entering a cemetery for the first time in
WIKI
EPIMERS AND ANOMERS PDF An anomer is a type of geometric variation found at certain atoms in carbohydrate molecules. An epimer is a stereoisomer that differs in configuration at any. What is the difference between Anomers and Epimers? Anomers are cyclic molecules while epimers can be either acyclic or cyclic molecules. Anomers. An Anomer of a saccharide only differs in it’s structure at the anomeric carbon. Anomeric carbon being the functional group of the. Author: Viran Menos Country: United Arab Emirates Language: English (Spanish) Genre: Education Published (Last): 7 August 2012 Pages: 52 PDF File Size: 12.54 Mb ePub File Size: 7.13 Mb ISBN: 700-5-53021-798-9 Downloads: 57342 Price: Free* [*Free Regsitration Required] Uploader: Fenrijinn Epimers and anomers are both optical isomers that differ in the configuration at a single carbon atom, but there is a difference in their definitions. July Learn how and when to remove this template message. Abd The simplest, smallest carbohydrates are glyceraldehyde and dihydroxyacetone. As shown in the above image, the —OH group attached to the epimerz carbon of alpha anomer is in the opposite direction to that of the beta anomer of glucose. May 22, at An epimer is a stereoisomer that differs in configuration at any single stereogenic center. The carbon atom that generates the new chiral centre “C-1” is called xnomers anomeric carbon. All the conformations in between are partially eclipsed. Glucose forms a pyranose when carbon 5 attacks the carbonyl carbon. As shown in the above image, D-glucose and D-mannose are epimers of each other. Anomerization of glycosides typically occurs under acidic conditions. Can anyone explain to me how to identify epimers and anomers in carbohydrates sugars? The anomeric carbon is given in a green color. This page was last edited on 25 Novemberat Please discuss this issue on the article’s talk page.   GTAG 11 DEVELOPING THE IT AUDIT PLAN PDF Biological Molecules – Carbohydrates Other carbon atoms are also chiral carbons in those molecules, but are identical to each other. Accuracy disputes from June All accuracy disputes. Please help to ensure that disputed statements are reliably sourced. The main difference between anomers and epimers is that anomers differ from each other in its structure at their anomeric carbon whereas epimers differ from each other at any one of the chiral carbons present in their structure. Glucose is our blood sugar and the product of photosynthesis. The blue colored part indicates epumers location where isomerism has epimfrs. Aldotriose Glyceraldehyde Ketotriose Dihydroxyacetone. By using this site, you agree to the Terms of Use and Privacy Policy. Epimers are simply special types of diastereomers. Notice the change on the the second carbon, the hydroxyl switches places with the hydrogen to give a new structure, thus new properties. Anomer Cyclohexane conformation Mutarotation. For example, epimers of glucose. Epimerz oxidation turns aldehyde and terminal hydroxyls to carboxylic acids, and other hydroxyls to ketones. Difference Between Anomers and Epimers Although there are more than one chiral carbons, epimers differ from each other only at one carbon center. March 26, at 2: August 23, at By using this site, you agree to the Terms of Use and Privacy Policy. D-Mannose is an epimer of D-glucose because the two sugars differ only in the configuration at “C-2”. See all questions in Enantiomers. These are used to identify differences between epiers compounds. Carbohydrate chemistry Carbohydrates Stereochemistry. In epimets the anomeric reference atom is the stereocenter that is farthest from anomeric carbon in the ring the configurational atom, defining the sugar as D or L.   ALTROCONSUMO DIGITALE TERRESTRE PDF Views Read Edit View history. Define epimers and anomers. Give examples. That is called anomerization. These two molecules are epimers, but because they are not mirror images of each other, are not enantiomers. Aldose Ketose Furanose Pyranose. Her interest areas for writing and research include Biochemistry and Environmental Chemistry. L and D anmoers enantiomers, not epimers. In order to be classified as a carbohydrate, a molecule must have: Fructose is the sugar in fruits, and it is sweeter than glucose. Therefore, the carbon atom where the isomerism has occurred is called the epimeric carbon. By continuing to use this website, you anomrs to their use. In stereochemistryan epimer is one of a pair of stereoisomers. Why are enantiomers non superimposable? Anomers are stereoisomers that occur due to the difference in the configuration at their anomeric carbon. Sucrose is table sugar, the sugar we buy in stores. The -OH group on the anomerw carbon the Fischer carbonyl can be either up beta or down alpha. Epimers are a type of stereoisomers that are different from each other only at one chiral carbon.
ESSENTIALAI-STEM
Proclamation 5667 By the President of the United States of America A Proclamation Historians of the 20th century will chronicle many a tragedy for mankind-world wars, the rise of Communist and Nazi totalitarianism, genocide, military occupation, mass deportations, attempts to destroy cultural and ethnic heritage, and denials of human rights and especially freedom of worship and freedom of conscience. The historians will also record that every one of these tragedies befell the brave citizens of the illegally occupied Republics of Estonia, Latvia, and Lithuania. Each year, on Baltic Freedom Day, we pause to express our heartfelt solidarity with these courageous people who continue to prove that, despite all, their spirit remains free and unconquered. On June 14, 1940, the Soviet Union, in contravention of international law and with the collusion of the Nazis under the infamous Ribbentrop-Molotov Non-Aggression Pact, invaded the three independent Baltic Republics. The imprisonment, deportation, and murder of close to 100,000 Baltic people followed. Later, during the Nazi-Soviet war, the Nazis attacked through the Baltic nations and established a Gestapo-run civil administration. By the end of World War II, the Baltic states had lost 20 percent of their population; and between 1944 and 1949, some 600,000 people were deported to Siberia. Totalitarian persecution of the Balts, this time once again under Communism, has continued ever since. While enduring decades of Soviet repression and ruthless disregard for human rights, the Baltic people have continued their noble and peaceful quest for independence, liberty, and human dignity. This year marks the 65th anniversary of the de jure recognition by the United States of the Baltic Republics. The United States Government has never recognized, nor will we, the Soviet Union's illegal and forcible incorporation of the Baltic states. The United States staunchly defends the right of Lithuania, Latvia, and Estonia to exist as independent countries. We will continue to use every opportunity to impress upon the Soviet Union our support for the Baltic nations' right to national independence and to their right to again determine their own destiny free of foreign domination. Observance of Baltic Freedom Day is vital for everyone who cherishes freedom and the inalienable rights God grants to all men alike; who recognizes that regimes denying those rights are illegitimate; who sees, shares, and salutes the Baltic peoples' hope, endurance, and love of liberty. The Congress of the United States, by Senate Joint Resolution 5, has designated June 14, 1987, as "Baltic Freedom Day" and authorized and requested the President to issue a proclamation in observance of this event. Now, Therefore, I, Ronald Reagan, President of the United States of America, do hereby proclaim June 14, 1987, as Baltic Freedom Day. I call upon the people of the United States to observe this day with appropriate remembrances and ceremonies and to reaffirm their commitment to the principles of liberty and self-determination for all peoples. In Witness Whereof, I have hereunto set my hand this thirteenth day of June, in the year of our Lord nineteen hundred and eighty-seven, and of the Independence of the United States of America the two hundred and eleventh. RONALD REAGAN [Filed with the Office of the Federal Register, 4:33 p.m., June 15, 1987]
WIKI
Page:A record of European armour and arms through seven centuries (Volume 4).djvu/368 4th, Sobras; 5th, Frente de esquadron quadrado de sitio; 6th, Costado de sdron quadrado de sitio; 7th, Sobras; 8th, ''Numero de esquadron quando tiene gente; 9th, Numero de esquadron sin gente; 10th, Sobras''." Some phrases in the French language are supposed to allude to figures such as these found on batons, "étre bien assuré de son bâton," "obtenir son objet par le tour du bâton," and "étre réduit au bâton blanc." At the end of the XVIth century it will be found that the pole-axe, perhaps with the exception of the Lucerne hammer to which we have referred (vol. iii, p. 104), was a very different weapon from that of the first quarter of the century, if indeed it can claim to be called a weapon at all. Those that show any enrichment have become slender in their proportions, and relegated almost entirely to ceremonial use, being evidently useless as fighting weapons (Fig. 1406). Indeed, they are little better than the weapons of similar form which to-day are carried by the gentlemen-at-arms attendant on the sovereign. Combination weapons—a battle-axe, war-hammer, or mace—concealing pistols in their hafts, are constantly to be met with, and are often of very beautiful workmanship; but in nearly all cases they are cumbersome and impracticable weapons, made most probably to satisfy the fancy of some individual. We illustrate three. The first of these (Fig. 1407) is a mace with a single barrelled matchlock pistol incorporated in its haft, and is in the Musée d'Artillerie (K 60); a finely etched weapon with a well developed wheel-lock on the side, but which lacks its wooden grip. The second, which can be seen in the Tower of London, and which is complete, is of the same type as the first (Fig. 1408); the third (Fig. 1409) is a far more elaborately designed weapon with a six-flanged head, which has the barrel of the pistol concealed down its shaft; while in the rondel above the grip is hidden the secret wheel-lock. The apertures through which the wheel was wound can be seen in the illustration. We consider this last combination weapon to be Italian, of the last quarter of the XVIth century. The most ungainly of these arms, which the author knows of, is an early XVIIth century example in the Tower of London (Fig. 1410). It has an ill-balanced axe or pick head containing seven concealed barrels with a combination wheel and matchlock discharge. Clumsy though its appearance is, its workmanship is good and shows considerable ingenuity in its mechanism. When we come to deal with the longer hafted infantry weapons of late XVIth and even early XVIIth century date, we notice that all the characteristic forms in use in the first part of the XVIIth century are still to be
WIKI
Wikipedia:Articles for deletion/The St Andrews Social Scientist The result was delete. -- Cirt (talk) 00:34, 7 May 2010 (UTC) The St Andrews Social Scientist * – ( View AfD View log • ) Un-notable online student magazine that doesn't pass notability criteria: WP:INTERNET. It has not launched yet, and the site content is 'coming May 1st.' The article has no 3rd party verifiable sources. Clubmarx (talk) 18:53, 30 April 2010 (UTC) * Speedy delete. Non-notable web content. Speedy tag was contested but IMO still applies: the site itself is merely a placeholder for forthcoming content, and the article gives no indication of notability. The article as written also said (today, 30 April) It's (sic) first Issue was published on May 1st 2010 and attracted a large readership, so is clearly unreliable. I42 (talk) 19:00, 30 April 2010 (UTC) * Speedy delete not even so much as a claim of notability, nor will it likely be notable when they get around to actually writing it either. Andrew Lenahan - St ar bli nd 20:43, 30 April 2010 (UTC) * Comment: I tagged this for speedy deletion. Joe Chill (talk) 22:02, 30 April 2010 (UTC) * Changed to delete: The original decliner needs to be slapped with a trout. Joe Chill (talk) 22:06, 30 April 2010 (UTC) * Hold that trout! This is not a subject I feel at all strongly about, and I am probably being unduly lenient, but when trawling through the endless trivialities and commercial promotions of Prods and Speedies it is refreshing to come across something that is clearly intended to advance human knowledge. Please note that the content is available and that it is referred to at St. Andrews Uni - guidance for postgrads. Ben Mac Dui 19:22, 1 May 2010 (UTC) * Okay, I'll hold my trout. But now I don't know what to do with it. Joe Chill (talk) 19:39, 1 May 2010 (UTC) * Grilled trout is most acceptable. Ben Mac Dui 21:25, 3 May 2010 (UTC) * Note: This debate has been included in the list of Schools-related deletion discussions. —• Gene93k (talk) 20:02, 1 May 2010 (UTC) * Note: This debate has been included in the list of Social science-related deletion discussions. -- • Gene93k (talk) 20:02, 1 May 2010 (UTC) * Delete. Upcoming student magazines are rarely (never?) notable... --Piotr Konieczny aka Prokonsul Piotrus 20:15, 1 May 2010 (UTC) * Delete, don't all universities have 10-20-30 of these? Geschichte (talk) 16:22, 2 May 2010 (UTC) * Delete The magazine fails Notability which is hardly surprising because it has just been launched. No external source has written about it and the only source is the website itself. It may be that in future the magazine attracts notice and becomes a valid subject for an article. But WP should not establish notability, merely report it. TFD (talk) 18:02, 3 May 2010 (UTC)
WIKI
Support in other languages:  Is it possible to undo factory recovery option for Rescue and Recovery on the X61? 0 Helpful? Click ► Started ‎01-30-2012 by Modified ‎01-30-2012 by Is it possible to undo factory recovery option for Rescue and Recovery on the X61? Question I have a Lenovo X61 notebook. My harddisk was divided into two partitions: OS and data. Recently, I found that my Windows was no longer able to start. I managed to reinstall Windows 7 in the OS partition. All my files in the second partition were preserved. My laptop was working fine then. I realized subsequently  that the Lenovo drivers were no longer there.    I then ran Rescue and Recovery on my system, thinking that it would simply reinstall the missing drivers.   However, this resulted in the deletion of Windows 7, which I had just installed, and the process also affected the partitions and erased the data in the second partition.   Is there any way I can restore the partition configuration and all the data I had?  Answer Unfortunately, no.  Using the Rescue and Recovery CD or DVD media, or running from the hidden system partition and selecting restore to factory default option, rebuilds the C: partition to the factory condition and the original OS.  All user data and any OS version updates will be lost.    This is an irreversible process since data is overwritten.
ESSENTIALAI-STEM
List of districts in the Afar region This is a list of the woredas (districts) and city administrations in the Afar region of Ethiopia, compiled from material on the Central Statistical Agency website.
WIKI
Squeeze (1980 film) Squeeze is a New Zealand drama film, directed by Richard Turner and released in 1980. The film stars Robert Shannon as Grant, a bisexual businessman torn between his relationships with his fiancée Joy (Donna Akersten) and his boyfriend Paul (Paul Eady). The film, made six years before homosexuality was decriminalized in New Zealand, was refused funding by the New Zealand Film Commission, and instead its $100,000 budget was funded almost entirely by individual donors within Auckland's LGBT community. The film premiered in July 1980 in Auckland, and had its North American premiere in October 1980 at the Chicago International Film Festival. It was subsequently screened in selected markets in 1981, including Sydney and Los Angeles, and at the 1981 Festival of Festivals in Toronto. Critical response Kevin Thomas of the Los Angeles Times reviewed the film positively, writing that "What is most important about 'Squeeze' is the steadfast compassion with which it views its hero…’Squeeze' is a drama of most painful self-discovery, well-acted and heightened by an aptly moody, restless score." Thomas criticized the score, but still thought that the execution matched the theme the film tried to make. George Williams of the Sacramento Bee also criticized the film's audio, writing that the dialogue was sometimes "nearly unintelligible as it is mixed in with the background noise of street scenes and confrontations in gay bars", but concluded that the film was redeemed especially by the strength of Shannon and Eady's performances. Meaghan Morris of the Sydney Morning Herald criticized the portrayal of Joy as "like something out of the 1950s", and characterized some of its dramatic scenes as something akin to soap opera, but praised Shannon's performance and wrote that the film is "worth seeing just for the evocation of the streetlife of Auckland". Soundtrack The movie's title derives from the song Squeeze by Toy Love. The film features the song along with music from other Auckland post-punk bands, The Features and the Marching Girls.
WIKI
next Q-MAC meeting Our next Q-MAC meeting will take place on November 28 & 29, 2017, in Paris at the Fondation Hugot and at the Collège de France. Read more Roman Mankowsky is awarded the Reimar Lüst Grant of the Max Planck Society for his PhD studies Read more Research   Over the past decade, physicists and engineers have been forging a new frontier in the design of exotic substances, known as “quantum materials”. These can be finely-tuned to create extremely useful properties. For instance, it was recently discovered that some materials can display superconductivity -- the ability to conduct electricity without resistance -- at far higher temperatures than had previously been demonstrated. This opens up the possibility of building superconductors that work at room temperature.    A major goal of our project is to create such stable high-temperature superconductors that can be exploited for practical applications. The greatest hurdle is that high-temperature superconductivity is a delicate property, which is difficult to maintain for prolonged lengths of time. So, the challenge is to prevent heat or other environmental factors from disturbing the system and destroying its superconductivity.   One possible technique we shall pursue is to sandwich the superconducting system between protective layers of specially engineered materials that will screen out disturbances. Our group is internationally renowned for its ability to build and control such layers. We will also investigate methods to both induce and stabilise superconductivity by highly controlled shining laser light on quantum materials.   These aims require the use of novel experimental techniques, combined with advanced computer simulations. In order to be able to design and manipulate these materials with precision, however, we must also develop an accurate theoretical understanding of the behaviour of atoms and electrons in quantum materials.   Our project will combine progress in experimental techniques, computational advances and a sophisticated theoretical understanding, to allow potentially unprecedented control of quantum materials at high temperatures.
ESSENTIALAI-STEM
Andrew Harris (tennis) Andrew Harris (born 7 March 1994) is an Australian professional tennis player who is a doubles specialist. He has career high rankings of No. 84 in doubles achieved on 30 October 2023 and No. 159 in singles achieved on 11 November 2019. He was the winner of the junior doubles titles at the 2012 Wimbledon Championships and at Roland Garros. 2011-2012: Professional debut Harris's first appearance in a professional tournament was at the Australia F7 in September 2011, where he made the quarterfinal before losing to Alex Bolt. Harris lost in round 1 of the 2012 Australian Open qualification to Denys Molchanov, before competing in three Future tournaments in Australia. His best result being a quarterfinal in Australia F4 in March where he retired whilst playing Maverick Banes. Harris played only one more tournament in 2012, the Great Britain F10 in July, where he lost in the second round. 2013 He signed a National Letter of Intent with Oklahoma Sooners to participate in 2013. Harris successfully returned to competition in May 2013, where he made the final of the Thailand F2, losing to Saketh Myneni of India. The following week, he made the semifinal of the Thailand F3, losing to fellow Australian Adam Feeney in straight sets. Throughout June and July, Harris competed in Futures throughout Europe, his best performance being a quarterfinal in Belgium F4, before winning his first title in October in Texas at the USA F27 against Dennis Nevolo. 2014 Harris retired from round 1 of the qualification for the 2014 Brisbane International before competing in the Men's qualifying of the 2014 Australian Open, where he made round 2. Harris didn't play again until June, where he played in 5 futures in the USA. The best result was at the F17 in Oklahoma City, where he was runner-up to Jared Donaldson. 2015 Harris commenced the 2015 season at the Onkaparinga Challenger, where he qualified and registered his first Challenger main draw win, defeating Hiroki Moriya 7–5, 6–1. He made it to the semi-final, before losing to Marcos Baghdatis. This increased Harris's ATP ranking 157 places to a career high of No. 497. Harris made the second round of Australian Open qualifying. This was the last match Harris played for almost 2 years. 2017-2018: Return to the Tour In January 2017, Harris returned to tennis gaining a wildcard into the 2017 Canberra Challenger. He defeated Thomas Fancutt in round 1, before losing to Jan-Lennard Struff in a close 3-set match. Harris did not play again until June 2017 on the ITF Futures circuit in USA. In July, he lost in qualifying rounds of two Canadian Challenger events. In September, Harris returned to Australia and won his second ITF title at Toowoomba in October. Harris spend the 2018 year on the ITF Futures and ATP Challenger Circuits across Australia and United States of America. His best performances were semifinal results at Launceston in February, Australia F4 in March, USA F19 in July and USA F23 in August. 2019: First Challenger finals, top 200 In February, Harris reached his first ATP Challenger Tour final at Chennai Open Challenger. The result led to a career-high ranking. In May, Harris reached the final of Busan Challenger, further improving his ranking. In August, Harris lost in the first round of 2019 US Open – Men's singles qualifying. 2020: Grand Slam debut Harris was awarded a wildcard into the 2020 Australian Open, where he lost in straight sets to 8th seed Matteo Berrettini. Harris ended 2020 with a singles rank of 229. 2021: First ATP singles win Harris commenced 2021 at the 2021 Murray River Open, where he recorded his first ATP main draw win against Taro Daniel. Harris lost in the second round of the 2021 Australian Open – Men's singles qualifying. This was the final tournament Harris played for the year. 2022: Three Challenger doubles titles Harris lost in the first round of qualifying at the 2022 Australian Open. 2023: Maiden ATP doubles final At the 2023 Los Cabos Open he reached his maiden ATP final with Dominik Koepfer.
WIKI
User:Nisarcool/Jannat husain Jannat Husain(Urdu: جنّت ہسین, Hindi:; born 1st January 1951) is an Indian Administrative Service ( IAS ) officer of the Andhra Pradesh Cadre.
WIKI
Tethys Tethys or Tethis may refer to: * Tethys (database), an online knowledge management system about the environmental effects of offshore renewable energy * Tethys (gastropod), genus of gastropods in the family Tethydidae * Tethys (moon), a natural satellite of Saturn * Tethys (mythology), a Titaness in Greek mythology * Thetys (salp), a genus of gelatinous sea salp * Tethys Ocean, a Mesozoic-era ocean between the continents of Gondwana and Laurasia * Tethys Research Institute, a non-governmental scientific organisation based in Italy * "Tethys", a song from The Ocean of the Sky by The Used * Tethys, the Japanese name for "Thetis", a boss character in Mega Man ZX Advent * Tethys River, an interplanetary waterway in Dan Simmons's Hyperion Cantos
WIKI
Trump tells Brexit Britain: We'll have a major trade deal BIARRITZ, France (Reuters) - Brexit Britain will have a major trade deal with the United States, U.S. President Donald Trump told Boris Johnson on Sunday, adding that the new British prime minister was the right man to take his country out of the European Union. Johnson, who faces a delicate task keeping European allies on side whilst not angering Trump at a G7 summit in France, said trade talks with the United States would be tough but there were huge opportunities for British businesses in the U.S. market. Asked what his advice was for Brexit before going into a bilateral meeting with Johnson on the summit sidelines, Trump said: “He needs no advice he is the right man for the job.” Reporting by Jeff Mason; Writing by Richard Lough; Editing by John Chalmers
NEWS-MULTISOURCE
Author:Sara Agnes Rice Pryor Works * The Mother of Washington and her Times (1903) (New York: Macmillan Company) * Reminiscences of Peace and War, Macmillan Company (1905 revised edition), (first published by Grosset & Dunlap in 1904) * The Birth of the Nation: Jamestown, 1607. (1907) (Macmillan Company) * My Day: Reminiscences of a Long Life (1909) (New York: Macmillan) * The Colonel's Story (1911) (New York, Macmillan)
WIKI
Write a java program to find Sum of Powers of elements in an array. Write Java code to find the power of each individual element according to its position index, add them up and return as output. The return type of the output is an integer which is the sum powers of each element in the array. Input and Output Format: Input is an integer array.The first element corresponds to the number(n) of elements in an array.The next inputs correspond to each element in an array. The output is an integer. Sample Input 1: 4 3 6 2 1 Sample Output 1: 12 Sample Input 2: 4 5 3 7 2 Sample Output 2: 61 Sum of Powers of elements in an array in Java. import java.util.Scanner; public class Main { public static void main(String args[]) { Scanner sc = new Scanner(System.in); int n = sc.nextInt(); int a[] = new int[n]; for (int i = 0; i < n; i++) { a[i] = sc.nextInt(); } System.out.println(display(n, a)); } public static int display(int n, int[] a) { { int sum = 0; for (int i = 0; i < n; i++) sum = (int) (sum + Math.pow(a[i], i)); return sum; } } } One Comment Add a Comment Your email address will not be published. Required fields are marked * 5 × five =
ESSENTIALAI-STEM
Laboratory for Molecular Diagnostics Center for Nephrology and Metabolic Disorders Sodium channel, nonvoltage-gated 1, alpha subunit Two alpha units, the protein product of SCNN1A, and one beta and gamma unit form the heteromultimeric sodium channel. Mutations of SCNN1A are responsible for autosomal recessive Pseudohypoaldosternism 1. Gene Structure SCNN1A is localized to chromosome 12 (12p13). SCNN1A consists of 13 exons and spreads over 29kb. Translation starts at exon 2. Pathology SCNN1A mutations leading to the disruption of the protein product also alter the function of aldosterone-sensitive sodium channel. Pseudohypoaldosteronism is the disease that results. Genetests: Clinic Method Carrier testing Turnaround 5 days Specimen type genomic DNA Clinic Method Genomic sequencing of the entire coding region Turnaround 20 days Specimen type genomic DNA Clinic Method Massive parallel sequencing Turnaround 25 days Specimen type genomic DNA Related Diseases: Pseudohypoaldosteronism type1 NR3C2 SCNN1A SCNN1B SCNN1G Bronchiectasis with or without elevated sweat chloride 2 SCNN1A References: 1. Luft FC et al. (2003) Mendelian forms of human hypertension and mechanisms of disease. [^] Update: Sept. 26, 2018  
ESSENTIALAI-STEM
arginase (redirected from D-arginase) Also found in: Dictionary, Encyclopedia. arginase  [ahr´jĭ-nās] an enzyme of the liver that splits arginine into urea and ornithine. ar·gi·nase (ar'ji-nās), An enzyme of the liver that catalyzes the hydrolysis of l-arginine to l-ornithine and urea; a key enzyme of the urea cycle. A deficiency of arginase leads to arginemia. Synonym(s): canavanase arginase (är′jə-nās′, -nāz) n. An enzyme found primarily in the liver that catalyzes the hydrolysis of arginine to form urea and ornithine. ar·gi·nase (ahr'ji-nās) An enzyme of the liver that catalyzes the hydrolysis of l-arginine to l-ornithine and urea; a key enzyme of the urea cycle.
ESSENTIALAI-STEM
The Body as Sanctuary: Healing Metabolic & Hormonal Relationships  Often, our life is compartmentalized to keep up with a hectic schedule. When we have time to rebalance, we are often energized with new hope, ideas, and solutions to our daily challenges. A careful balance of healing restoration and activity is just as essential as the physical food, water, and breath that sustains us. High Stress & Chronic Health Conditions Finding time and energy to create healing space in our life can be difficult. A restorative, practice may have to wait to a specific day or time. We are taught to take care of everyone and everything else before we take care of our self. Ongoing stress (i.e, socio-economic, work-life, trauma, environmental/geopathic stress) and reduced sleep, insufficient hydration, and low nutrient dense foods may further drain our mind, body, and spirit. This often leads to burnout. Long periods of rest and activity imbalance strain our metabolic and hormonal relationships. Eventually, this leads to increased inflammation and chronic health conditions. In October 2019, the Center for Disease Control indicated that six in ten adults in the US have a chronic disease and four in ten adults have two or more. The 10 most common chronic health conditions (2018) and the National Health Impact percentage: 1. Hypertension, 12.5% 2. Major Depression, 9% 3. High Cholesterol, 8.6% 4. Coronary Artery Disease, 7% 5. Type 2 Diabetes, 5.5% 6. Substance Use Disorder, 3.4% 7. Alcohol Use Disorder, 3.3% 8. Chronic Obstructive Pulmonary Disease (COPD), 3.3% 9. Psychotic Disorder, 2.9% 10. Crohn’s Disease/Ulcerative Colitis, 2.7% Restoring Personal Sanctuary When we are healthy and experience wellbeing; we can optimally take care of responsibilities, solve problems, deepen personal relationships, and fully enjoy our life. Video/Phone-Based Online Workshops & Personal Courses Living Sanctuary helps you to successfully manage chronic pain/health conditions, improve overall health and wellbeing, and optimize your quality of life. We support you in creating way of being (beyond a focus on lifestyle changes) that nurtures and restores you. A restorative way of being provides an internal locus of motivation for sustainable, long-term change. We integrate video/phone 1:1 consultations and coaching (i.e., Zoom, Skype), coaching groups, workshops, activities, content, and online resources to uncover and heal underlying blocks and unhealthy patterns. Learn how to simplify and de-compartmentalize your life; fully engage all aspects of who you for a more balanced, daily experience. Living Sanctuary: Heart and Home provides additional resources for improving your quality of life and creating a lifestyle and environment that support health and wellbeing, reduces your personal carbon footprint, and contributes to the renewal of the planet. Contact us, we will discuss your needs/concerns and develop a plan for you to achieve your goals. You also may schedule an appointment for your initial consultation.
ESSENTIALAI-STEM
Ensurepass   QUESTION 351 A technician wants to secure a Windows 7 Ultimate notebook hard drive. Which of the following should the technician do to implement BitLocker? (Select TWO).   A. Disable TPM in the system BIOS B. Run the BitLocker wizard and any necessary partitions C. Enable TPM in the system BIOS D. Enable TPM in the Windows 7 OS files E. Set up the OS and the system files on the same partition   Correct Answer: BC     QUESTION 352 After replacing a motherboard on a customer’s laptop for a no POST issue, the technician realizes that there is no wireless connectivity on the laptop. Which of the following should the technician do FIRST?   A. Check to see if there is a wireless switch on the laptop and its current position. B. Disassemble the laptop and check if WiFi antennas connected properly to wireless card. C. Reinstall WiFi card drivers. D. The new motherboard is defective and not recognizing wireless; it needs to be replaced.   Correct Answer: A     QUESTION 353 Which of the following options is MOST likely active on a network of three workstations, running Windows 7 Home Edition x64, to enable File and Print sharing?   A. HomeGroup B. Active Directory C. WorkGroup D. Domain Setup   Correct Answer: A Explanation: Reference: http://windows.microsoft.com/en-us/windows7/help/home-sweet-homegroup-networking-the-easy-way     QUESTION 354 A user’s CRT monitor was damaged by a large magnet, resulting in a distorted image. Which of the following can a technician do to BEST safely fix the monitor?   A. Replace cathode ray tube B. Power cycle the monitor C. Run degaussing tools D. Adjust monitor’s brightness   Correct Answer: C     QUESTION 355 Which of the following can cause a popup box to display on a laptop, alerting a user that they have performed the same action 5 times, and asking them to click OK to enable this feature?   A. Lock indicator lights B. Flickering display C. Ghost cursor D. Sticky keys   Correct Answer: D     QUESTION 356 A user reports that they cleared a paper jam and now cannot print. The technician reseats the paper and then prints a test page from the printer. A test page sent from the workstation does not print. Which of the following actions should the technician take FIRST?   A. Clear the print queue. B. Check the printer connection. C. Reboot the computer. D. Stop and start the printer.   Correct Answer: A Explanation: Reference: http://www.howtogeek.com/100358/how-to-cancel-or-delete-a-stuck-print-job-in-the-windows-print-queue/     QUESTION 357 A technician is attempting to install a RAID 5 configuration. Which of the following is the MINUMUM amount of disks that can be used to create a RAID 5 array?   A. 1 B. 2 C. 3 D. 4   Correct Answer: C     QUESTION 358 A customer reports that after a technician cleaned up a rogue antivirus program, the customer cannot browse the web. Which of the following should the technician check to resolve the situation?   A. Browsing history B. Firewall settings C. User privileges D. Proxy settings   Correct Answer: D Explanation: Reference: http://windows.microsoft.com/en-us/windows-vista/change-proxy-settings-in-internet-explorer     QUESTION 359 A user reports their network connection has limited or no connectivity. Which of the following should a technician check FIRST?   A. The proper NIC drivers are installed B. The APIPA address has the proper gateway C. The Proxy settings in Internet Options D. The Ethernet cable is connected properly   Correct Answer: D     QUESTION 360 Joe, a user, receives a spam email supposedly sent from a coworker’s email address asking for money. This is an example of which of the following common security threats?   A. Phishing B. Spyware C. Malware D. Evil Twin   Correct Answer: A Free VCE & PDF File for CompTIA 220-802 Real Exam Instant Access to Free VCE Files: CompTIA | VMware | SAP … Instant Access to Free PDF Files: CompTIA | VMware | SAP … Comments are closed.
ESSENTIALAI-STEM
Michael Hutcheon Michael Hutcheon is a Canadian medical doctor and author. In addition to his medical specialization in respirology, Hutcheon has published widely, predominantly with Linda Hutcheon, on the subject of the representation of medicine in cultural texts. Select bibliography * Four Last Songs: Aging and Creativity in Verdi, Strauss, Messiaen, and Britten (2015) (with Linda Hutcheon). * Opera: The Art of Dying. Harvard University Press, 2004 (with Linda Hutcheon). * Bodily Charm: Living Opera. Lincoln: University of Nebraska Press, 2000 (with Linda Hutcheon). * Opera: Desire, Disease, and Death. Lincoln: University of Nebraska Press, 1996 (with Linda Hutcheon)
WIKI
%0 Journal Article %T Wi-Fi (2.4 GHz) affects anti-oxidant capacity, DNA repair genes expression and apoptosis in pregnant mouse placenta %J Iranian Journal of Basic Medical Sciences %I Mashhad University of Medical Sciences %Z 2008-3866 %A Vafaei, Homeira %A Kavari, Ghazal %A Izadi, Hamid Reza %A Zare Dorahi, Zahra %A Dianatpour, Mehdi %A Daneshparvar, Afrooz %A Jamhiri, Iman %D 2020 %\ 06/01/2020 %V 23 %N 6 %P 833-840 %! Wi-Fi (2.4 GHz) affects anti-oxidant capacity, DNA repair genes expression and apoptosis in pregnant mouse placenta %K Anti-oxidant %K Apoptosis %K DNA repair %K Placenta %K Radiation Exposure %R 10.22038/ijbms.2020.40184.9512 %X Objective(s): The placenta provides nutrients and oxygen to embryo and removes waste products from embryo’s blood. As far as we know, the effects of exposure to Wi-Fi (2.4 GHz) signals on placenta have not been evaluated. Hence, we examined the effect of prenatal exposure to Wi-Fi signals on anti-oxidant capacity, expressions of CDKNA1, and GADD45a as well as apoptosis in placenta and pregnancy outcome. Materials and Methods: Pregnant mice were exposed to Wi-Fi signal (2.4 GHz) for 2 and 4 hr. Placenta tissues were examined to measure the MDA and SOD levels. To measure SOD, CDKNA1, GADD45a, Bax, and Bcl-2 expressions were compared by real-time PCR analysis. TUNEL assay was used to assess apoptosis in placenta tissues. The results were analyzed by one-way analysis of variance (ANOVA) using Prism version 6.0 software. Results: MDA and SOD levels had significantly increased in exposed Wi-Fi signal groups (P-value< 0.05). Also, quantitative PCR experiment showed that SOD mRNA expression significantly increased in Wi-Fi signal groups. The data showed that CDKN1A and GADD45a genes were increased in Wi-Fi groups (P-value<0.05). The quantitative PCR and the TUNEL assay showed that apoptosis increased in Wi-Fi groups (P-value<0.05). Conclusion: Our results provide evidence that Wi-Fi signals increase lipid peroxidation, SOD activity (oxidative stres), apoptosis and CDKN1A and GADD45a overexpression in mice placenta tissue. However, further experimental studies are warranted to investigate other genes and aspects of pregnancy to determine the role of Wi-Fi radiation on fertility and pregnancy. %U http://ijbms.mums.ac.ir/article_15510_4e0419d4b629cd658ad8448ee0e81541.pdf
ESSENTIALAI-STEM
Dasychira mescalera Dasychira mescalera is a species of moth of the family Erebidae first described by Alexander Douglas Campbell Ferguson in 1978. It is found in New Mexico, Texas and Colorado.
WIKI
159 reputation 5 bio website failuretorefrain.com location Virginia age 28 visits member for 3 years, 3 months seen Jan 14 at 19:23 Sep 26 comment Server keeps asking for password after I've copied my SSH Public Key to authorized_keys I triple checked permissions and sshd_config. Banged my head against the wall for a half hour. This was my mistake! Somehow, I've gotten into the habit of ending all files I hand edit with an extra linebreak. Even with one key and a carriage return at the end, it's enough to mess up authorization. Sep 11 comment How to properly remove packages Sometimes --purge doesn't work as I would expect. It's probably a good idea to run dpkg -S $(which PROGRAM) where program is the binary you're trying to uninstall. That'll tell you what packages to aptitude remove. Sep 3 comment Is there any API Document Browser like Dash on Ubuntu? This doesn't really answer the OP. Dash is a native desktop client that provides useful search features, and it downloads docsets or uses local docsets. Apr 16 comment How to remove desktop environments? @EliahKagan I'm not sure. I don't have a system to test that on at the moment. Jul 9 comment Unable to install Emacs 24 from ppa:cassou/emacs By "out-of-the-box", do you mean on a fresh install? Is emacs already present when you installed emacs-snapshot? Jun 26 comment Unable to install Emacs 24 from ppa:cassou/emacs I agree it isn't desirable to do that blind. I've edited my answer to suggest checking the output of apt-cache search emacs before proceeding. For me, this was the only solution that fixed the problem. I don't recall having to reinstall anything, but if you make an error, it should be easy to correct with the package manager.
ESSENTIALAI-STEM
Canada's dry weather may stem U.S. cattle stampede across border WINNIPEG, Manitoba (Reuters) - Parched pastures and crops in Western Canada are driving up cattle-feeding costs, and farmers and analysts expect the changing economics to stem a recent stampede of U.S. cattle being brought over the border. Canada imported 65,035 head of cattle from the United States from January through June, nearly double the pace of a year earlier when imports of U.S. cattle were at their highest level in 16 years, according to Statistics Canada. Most were young cattle to be fattened on feedlots. But dry Canadian conditions that have curtailed hay supplies are making it cheaper to fatten cattle in the United States. A drop-off in the supply of Canadian cattle would amplify concerns for feedlots and packers in Canada, where the country’s herd has declined steadily. Canadian government data on cattle imports lags about two months, so a reduction in U.S. supplies may not be publicly reported until well into autumn. Rainfall in the past two months has fallen well below normal on the Canadian Prairies, with southern Alberta collecting less than 40 percent of average amounts, according to the federal agriculture department. With limited supplies of feed grains in Western Canada, and a big U.S. corn crop on the way, it will soon make more sense to fatten cattle in the United States, said Rick Paskal, president of Van Raay Paskal Farms in southern Alberta. “There’s an old farmer’s tale, that you don’t haul the feed to the cattle, you haul the cattle to the feed. It’s going to be tough to hold these cattle in Canada.” Charlie Christie, who runs a 400-cow ranch and feedlot near Trochu, Alberta, said he expects dry conditions to curb numbers of U.S. cattle being moved to Canada and also cause more Canadian calves to be sent to the United States. An early surge of Canadian calves sold to feedlots this fall, as ranchers limit exposure to soaring feed costs, may leave supplies ample for now, said Brian Perillat, senior analyst at Canfax, a market analysis firm. Some ranchers are also culling their herds more than usual, putting more cattle on the market this year. But longer-term, the Canadian herd’s decline raises concerns about how to compete with the expanding United States numbers, Perillat said. Canada, the sixth-largest beef exporter, had 11 million head of beef cattle as of July 1, a number that fell for the 13th straight year, according to Statistics Canada. But Canada will likely slaughter the most cattle in eight years in 2018, Perillat said, as the larger numbers of U.S. imports work through the supply chain. A new plant, Harmony Beef, opened in Alberta last year, while Cargill Ltd and JBS USA operate larger plants. Montana and Wyoming feedlots face similar high feed costs due to dry weather as Canada, so more cattle may end up further south in Texas, Kansas and Nebraska, said John Ginzel, analyst at The Linn Group in Chicago. The U.S. cattle herd will this year reach nearly 133 million head, its largest level in 10 years, according to U.S. Department of Agriculture (USDA) data. Reporting by Rod Nickel in Winnipeg, Manitoba; Editing by Frances Kerry
NEWS-MULTISOURCE
Talk:Back titration back titration Only the first paragraph here seems pertinent to a back titration, the rest is just talk about titrations in general and equivilence points which could more succinctly and clearly be found within the titration page, so I suggest it is all deleted. —Preceding unsigned comment added by <IP_ADDRESS> (talk) 16:39, 27 November 2008 (UTC) Sodium Ethanoate Sodium Acetate is virtually unheard of - hence the revert to sodium ethanoate Massau 18:53, 15 November 2007 (UTC)
WIKI
Fiona Hill left a legacy for angry women during impeachment hearing (CNN)Fiona Hill said this week that her only agenda was to serve as a fact witness for the House Intelligence Committee. But as the hearings fade into history, Hill's legacy will be that of a woman who called out a dais full of powerful men for spouting fiction and suggested they ought to pay more attention when a woman shows anger, instead of brushing it off as an emotional reaction. Hill, the former senior director for Russia and Europe at the National Security Council, became an Internet sensation this week because we so rarely see women of her intellectual caliber elevated into these sorts of roles and then thrust into the national spotlight. She was bulletproof from the moment she decried "the fictional narrative" that Ukraine meddled in the 2016 US election and showed her authority in a way that was somehow steely and disarming at the same time. At one point, Hill gingerly observed a truth familiar to all women: men pay less attention to us when we get angry. Even in 2019, we are still living in a society where anger in women is quickly relegated to the category of emotion, hysteria or hormones. Hill's observation came as she was detailing how she'd gotten irritated and angry that US Ambassador to the European Union Gordon Sondland was diverting the administration's energy from national security foreign policy to a "domestic political errand," which led her to presciently tell him "this is all going to blow up." Describing their final meeting, Sondland had told lawmakers Hill was "pretty upset about her role in the administration, about her superiors, about the President." "She was sort of shaking," Sondland said. "She was pretty mad." Lawmakers pressed Hill to explain Thursday why she was "upset." She acknowledged that she had a "bit of a blow up with Ambassador Sondland" and several "testy encounters with him" because he hadn't kept her in the loop about the meetings he was having. "One of those was in June 18 when I actually said to him, 'Who put you in charge of Ukraine?' And you know, I'll admit, I was a bit rude -- and that's when he told me -- 'The President,' which shut me up," Hill recalled. "This other meeting ... I was actually, to be honest, angry with him," Hill said. "I hate to say it, but often when women show anger, it's not fully appreciated. It's often, you know, pushed onto emotional issues perhaps, or deflected onto other people. And what I was angry about was that he wasn't coordinating with us." In response to that anger, she recalled, Sondland said: "But I'm briefing the President. I'm briefing chief of staff (Mick) Mulvaney. I'm briefing Secretary (of State Mike) Pompeo. And I've talked to Ambassador (John) Bolton -- who else do I have to deal with?" In hindsight, Hill said she realized through Sondland's deposition that he was right not to coordinate with her "because we weren't doing the same thing that he was doing." In other words, his business was a "domestic political errand," hers was a national security matter. But in the end, they became inextricably linked, and Hill's anger was an early warning sign that Ukraine policy had gone off the rails. If more of her colleagues had paid attention to why she was actually angry, the history of the Trump administration might have looked very different.
NEWS-MULTISOURCE
Open DLL File Information, tips and instructions How to Open File Extensions That You Don't Know? There are hundreds of file extensions in existence today. Each application adds a specific file extension of its own for systems to recognize. For commonly used operating systems like Windows, Mac, and UNIX file extensions are required. But there are also other operating systems including RISC OS that do not require file extensions on their file system. This is the reason why we often encounter issues when opening files bearing unknown extensions. A file extension dictates what a file can contain. Applications use their own suffixes to add to a filename. Opening files with unknown file extension is putting too much risk on your system and the information it contains. But there are just times when files are too important that we need to have it opened. There are few things we can do by ourselves in finding workarounds on certain files before calling for professional help. Here are few: Run a virus scan on the file you are about to open. This should be the very basic thing you do when opting to open file with extensions unfamiliar to you. Malicious applications masquerade there true content by changing file extensions to other forms to look harmless. Having files with unknown file extension should already be a hint that a certain file may contain undesirable codes that can harm a system. Running a virus scan prevents the execution of the codes thereby stopping any attempt to harm your system. Continue reading: second part of the "How to Open File Extensions That You Don't Know?" article File Extension Info Contact Us Extension Details   Dynamic Link Library MIME Type   application/x-msdownload   application/octet-stream   application/x-msdos-program Identifying Characters   Hex: 4D 5A   ASCII: MZ Opens with   Text Editor   Microsoft Visual Studio   Microsoft Disassembler Japanese Translation
ESSENTIALAI-STEM
Page:Great Neapolitan Earthquake of 1857.djvu/450 360 held by its impression in the soft soil precisely in the spot in which it had fallen. The mortar joint at $$c$$, Fig. 6, had obviously possessed scarcely any bond whatever, and the only resistance to fall by the shock was, therefore, the stability of the superimposed two blocks upon the base or joint $$c$$. The form of the surface of separation, showed that the blocks had overturned precisely in a vertical plane, passing through the axis of the longer block as found prostrate, which corroborated the assurance of the Syndic and others present, that they had not been moved by any one since their fall. The direction of the axis of the fallen block, $$\mathrm{B}$$, was exactly 15° W. of N., and such was the wave-path that overthrew it, the movement having been from N. to S. We may view the velocity that overthrew the shaft, separately from that which projected it from its base to the horizontal distance given, and compounding these two horizontal velocities, and resolving in the direction of the wave-path, obtain the total velocity impressed upon it, and hence that of the wave itself. And first we obtain the horizontal velocity for overturning only from the equation Here $$a = \text{50 inches}, b = \text{17 inches}, \theta = 19^\circ$$; and solving for $$V$$ we have
WIKI
Wikipedia:Wikipedia Signpost/2005-05-30/Free software trophy The MediaWiki software won a special PHP prize in the second Trophées du Libre, a competition for free software, last Thursday. The award was presented at a ceremony in Soissons, France. Receiving the award on behalf of the MediaWiki developers was Ryo. In announcing the victory on the wikitech mailing list, Ryo commented, "Many people often forget that, backing Wikimedia Foundation's projects, lies MediaWiki, an amazing piece of software. Today developers' efforts were recognized." As part of the award, the MediaWiki team received several prizes. These include an actual trophy (fittingly enough), an HP dual-boot laptop, the possibility of some hosting from awards sponsor Nexen Services, and four subscriptions to DirectionPHP. Plans for what to do with these prizes are still being discussed, and it is not certain that all of them will be put to use. The hosting, for example, is a limited arrangement and it is unclear whether it will be of much help to the Wikimedia Foundation. Brion Vibber suggested that the laptop might come in handy at the upcoming Wikimania conference, after which it will likely go to developer Tim Starling. Note: Last week, it was incorrectly reported that MediaWiki was submitted to the awards jury by Vibber. It was actually Ryo who entered MediaWiki into the competition. Also this week: Official positions &mdash; Time article &mdash; Rock rat &mdash; Election &mdash; Features &mdash; Vandal fighting &mdash; Substubs, templates &mdash; Trophy &mdash; T.R.O.L.L.
WIKI
Page:United States Statutes at Large Volume 99 Part 1.djvu/244 99 STAT. 222 PUBLIC LAW 99-83—AUG. 8, 1985 (4) why the President believes the prohibitions are necessary to deal with those circumstances. President of U.S. At least once during each succeeding 6-month period after transmitting a report pursuant to this subsection, the President shall report to the Congress with respect to the actions taken, since the last such report, pursuant to this section and with respect to any changes which have occurred concerning any information previously furnished pursuant to this subsection. (d) DEFINITION.—For purposes of this section, the term "United States" includes territories and possessions of the United States. SEC. 506. INTERNATIONAL ANTI-TERRORISM COMMITTEE. Establishment. The Congress calls upon the President to seek the establishment of an international committee, to be known as the International Anti-Terrorism Committee, consisting of representatives of the member countries of the North Atlantic Treaty Organization, Japan, and such other countries as may be invited and may choose to participate. The purpose of the Committee should be to focus the attention and secure the cooperation of the governments and the public of the participating countries and of other countries on the problems and responses to international terrorism, by serving as a forum at both the political and law enforcement levels. SEC. 507. INTERNATIONAL TERRORISM CONTROL TREATY. It is the sense of the Congress that the President should establish a process by which democratic and open societies of the world, which are those most plagued by terrorism, negotiate a viable treaty to effectively prevent and respond to terrorist attacks. Such a treaty should incorporate an operative definition of terrorism, and should establish effective close intelligence-sharing, joint counterterrorist training, and uniform laws on asylum, extradition, and swift punishment for perpetrators of terrorism. Parties to such a treaty should include, but not be limited to, those democratic nations who are most victimized by terrorism. SEC. 508. STATE TERRORISM. Arthur D. Nicholson, Jr. Aircraft and air carriers. It is the sense of the Congress that all civilized nations should firmly condemn the increasing use of terrorism by certain states as an official instrument for promoting their policy goals, as evidenced by such examples as the brutal assassination of Major Arthur D. Nicholson, Junior, by a member of the Soviet armed forces. Part B—Foreign Airport Security SEC. 551. SECURITY STANDARDS FOR FOREIGN AIR TRANSPORTATION. (a) SECURITY AT FOREIGN AIRPORTS.—Section 1115 of the Federal Aviation Act of 1958 (49 U.S.C. App. 1515) is amended to read as follows: "SECURITY STANDARDS IN FOREIGN AIR TRANSPORTATION ASSESSMENT OF SECURITY MEASURES "SEC. 1115. (a)(1) The Secretary of Transportation shall conduct at such intervals as the Secretary shall deem necessary an assessment of the effectiveness of the security measures maintained at those foreign airports being served by air carriers, those foreign airports �
WIKI
καταλαμβάνω Etymology From. Verb * 1) to seize, grasp, hold * 2) to grasp with the mind: comprehend * 3) to catch, overtake * 4) to find, detect * 5) to occur, happen to, befall (often of events, especially negative events: death, disaster, defeat, etc.) Etymology * compare the inherited doublet. Verb * 1) to seize, capture, acquire sovereignty * 2) to occupy Usage notes * Although and are alternative forms having the same meaning, this is not true of and.
WIKI
Page:Studies of a Biographer 2.djvu/260 consider morality as a law imposed from without and enforced by the sanctions of heaven and hell, or as defining the state of the heart or the will, which makes the 'law' the spontaneous expression of conduct? 'Law' has in one case the juridical sense, and refers to a compulsion exercised upon the will; in the other, the scientific sense, and refers to the intrinsic character of the will itself. An emphasis upon one or other aspect of the question leads to indefinitely varying shades of opinion and a boundless exercise of metaphysical subtlety. But one practical application meanwhile shows its vital importance. If you can regard morality simply as an 'external'—law comparable to human law—and then, as a system of rules enforced by spiritual penalties and administered by priests, you leave the road open to all the abuses which provoked the Reformation. The Church holds the keys and can absolve sin. A corrupt Church may use its power in the interests of spiritual tyranny and pervert the morality of which it becomes the official guardian. The sinner escapes the consequences of his sins by submitting to an external process: he is pardoned, not because his heart is purified, but because he has paid his fine to the representatives of God on
WIKI
Su-Ki The Amphibious truck "Su-Ki" was a World War II Japanese military vehicle manufactured by the Toyota Motor Co., Ltd, similar in concept to the GMC DUKW. It entered service in 1943 and was used by Japanese forces in the Pacific during World War II. Background The Guadalcanal campaign demonstrated to the Imperial Japanese Army (IJA) the need for vehicles that could transport supplies directly from cargo ships to the shore and beyond. While the Japanese Imperial Navy had several vehicles (including the Type 4 Ka-Tsu amphibious landing craft) the army had no such vehicles. The Su-Ki was a stop-gap measure until larger and better designed vehicles could be developed. Design The vehicle was an amphibious truck based on the Toyota KCY (To-Ki) 4×4 truck. The engine was a inline-six 3.4l Type B engine with power being transmitted to the rear axle via Hotchkiss drive and water propulsion was via PTO drive prop. It could operate in either 2-wheel or 4-wheel drive. The body was made up of steel and had a "boat shaped" hull, with the hull and other body panels having a 5mm thickness, primarily for protection against rough seas and small arms. The Su-Ki had an unladen weight of 6.4 tonnes and a carrying capacity of 2 tonnes. The cargo was carried on the rear deck with tall sides and an open top, loaded at the rear via a loading ramp. Between November 1943 and August 1944, 198 Su-Ki trucks were produced by Toyota. Usage Su-Ki amphibious trucks were used by the Japanese military forces on Pacific islands during World War II. The vehicle saw use in the Solomon and Gilbert Island campaigns, as well as operations on Ellice Island. The experience of using the vehicle in operations, especially on Ellice, highlighted the need for better design and Toyota developed the experimental "LVT" from the Su-Ki. Survivors The only known survivor is a rusted hulk that remains on the Micronesia island of Ponape. The island was not invaded by the Allies in combat, and during post-war occupation the Su-Ki (and other equipment) was not worth the effort to remove from the island.
WIKI
Genetic modification is an important tool Our Expert Voices conversation on food security. Three developments are dramatically changing the process of crop improvement: There's been a phenomenal increase in speed and decrease in cost of DNA sequencing. Targeted editing of one or a limited number of specific genes can be used to improve traits without otherwise altering the genome. DNA sequence information from across the entire genome is being used to dramatically speed the pace of plant breeding. Agriculture and global food security will benefit most from these new technologies under the following scenarios: They are applied with highest priority to the 3 major food crops of the world — maize, wheat, and rice — by both public and private sector efforts Relatively fast and simple gene editing can be adapted to address traits such as disease resistance or micronutrient deficiencies that are most important to the developing world — and not economically attractive as targets for the private sector. A globally-accepted, science-based regulatory system should be adopted that facilitates, rather than hinders, safe use of such new technologies Bottom line: We have the tools to improve crops but also need wise management of water resources and soil fertility, along with appropriately optimizing farm sizes, land tenure, and access to markets. These will be just as important as advances in crop improvement. Other voices in the conversation: Pamela Ronald, plant geneticist, UC Davis, Focus on results new technologies bring Henk Hobbelink, agronomist, GRAIN, Support small farmers Eric Schulze, molecular biologist, Memphis Meats, Science can't be at the expense of culture
NEWS-MULTISOURCE
Quick Base Discussions Expand all | Collapse all Is it possible to create records in multiple tables with a single webhook? • 1.  Is it possible to create records in multiple tables with a single webhook? Posted 02-27-2017 21:15 I am trying to create records in multiple tables using 1 Webhook. Example: I have the following tables: Leads, People, Address', Jobs, Cars A Lead record has the following fields: - Name - DOB - Address - Phone Number - Occupation - Education Level - Car Year - Car Make - Car Model A Person would get the fields Name, DOB An Address would get the Address, Phone Number A Job would get the Occupation, Education Level A Car would get the Car Year, Car Make, Car Model Is it possible for a single Webhook to create a Person, Address, Job, and Car record whenever a Lead record is created? • 2.  RE: Is it possible to create records in multiple tables with a single webhook? Top Contributor Posted 02-27-2017 21:54 I don't have a lot of experience with Web-hooks, so somebody else might know how to make that happen, but I know you could do this with a Formula-URL field, combined with the API_AddRecord function.   This would require somebody to push a button.  But I'm sure once the lead is qualified or converted to a client is when this happens anyway.   So the button could do it all if needed.  (Won client, new Person, New address, New Job, New Car) • 3.  RE: Is it possible to create records in multiple tables with a single webhook? Posted 02-27-2017 21:54 Three tables will take 3 Webhooks, not 1. • 4.  RE: Is it possible to create records in multiple tables with a single webhook? Top Contributor Posted 02-28-2017 19:28 You question is just a variant of this question and demo which created three records in different tables with one form: Creating 2 records (in two different apps) using only 1 form https://community.quickbase.com/quickbase/topics/creating-2-records-in-two-different-apps-using-only... Triplicate Forms https://haversineconsulting.quickbase.com/db/bmb84cqj4?a=nwr The Triplicate Forms demo created identical copies of the record in two other tables (three total). The script used the FormData API with the Fetch API (the replacement for XHR). All you have to do is modify which of the original form fields needs to be included in the FormData sent to each of the tables when posting the FormData. See this documentation: MDN FormData API https://developer.mozilla.org/en-US/docs/Web/API/FormData If you need individual assistance implementing this solution feel free to contact me off-world using the information in my profile: https://getsatisfaction.com/people/dandiebolt/
ESSENTIALAI-STEM
User:Onkar Singh Kang Onkar singh kang is born in 1981 in the village of Punjab,India named Disst gurdaspur dhariwal kang
WIKI
Swizec Teller - a geek with a hatswizec.com Advent of Code Days 17 & 18 – Spinlocks and Interpreters Days 17 and 18 both defeated me. Star 1 was easy, Star 2 was not. Both were pretty quick to solve for the first star, though, so let's look at that. Day 17 – Spinlock For Advent of Code Day 17, we had to implement a spinlock. Spinlocks are a way to implement busy waiting 👇 In software engineering, a spinlock is a lock which causes a thread trying to acquire it to simply wait in a loop ("spin") while repeatedly checking if the lock is available. Since the thread remains active but is not performing a useful task, the use of such a lock is a kind of busy waiting. A naive spinlock implementation in Haskell There's no video for Day 17 because I was doing it in bed and yes, I did fall asleep while waiting for Star 2 to finish computing. It never did; my algorithm was too slow. Unlike a real spinlock, the puzzle spinlock is trying to eat up infinite memory as well as infinite time. For example, if the spinlock were to step 3 times per insert, the circular buffer would begin to evolve like this (using parentheses to mark the current position after each iteration of the algorithm): (0), the initial state before any insertions. 0 (1): the spinlock steps forward three times (0, 0, 0), and then inserts the first value, 1, after it. 1 becomes the current position. 0 (2) 1: the spinlock steps forward three times (0, 1, 0), and then inserts the second value, 2, after it. 2 becomes the current position. 0 2 (3) 1: the spinlock steps forward three times (1, 0, 2), and then inserts the third value, 3, after it. 3 becomes the current position. The question was "What is the value right after 2017 gets inserted into the buffer?". To find out, I built a recursive implementation of the spinlock algorithm above in Haskell. Because Haskell is fun. spinlock::[Int] -> Int -> Int -> Int -> Int -> (Int, [Int]) spinlock buffer steps pos i iterations | i < iterations = spinlock (left ++ [i] ++ right) steps nextPos (i+1) iterations | otherwise = (nextPos, buffer) where spinPos = mod (pos+steps) (length buffer) (left, right) = splitAt (spinPos+1) buffer nextPos = spinPos+1 The spinlock method takes 5 arguments, which I'm sure is sacrilege in Haskell, and returns a tuple: An integer and a list of integers. Arguments look like this: • buffer is the current state of our circular buffer • steps tells us how many steps we do on each spin • pos gives us the current position in our buffer • i says how many times we've iterated • iterations tells us how many times to iterate in total The algorithm itself was simple to implement, but fraught with off-by-one errors. If we have to keep going – i < iterations – then recurse with an edited buffer, updated position and i+1. Otherwise, return the result. A tuple with the next position and final buffer. We get the position after spinning, spinPos, as a remainder between current position pos and steps, and the buffer length. Split the buffer into left and right at position after the spin, and say the next position is going to be there too. This worked great for the 2017 iterations from Star 1. star1::Int -> Int star1 steps = buffer!!pos where (pos, buffer) = spinlock [0] steps 0 1 2017 A little slow maybe, but it worked. For Star 2, they wanted us to find the value after 0 when 50,000,000 iterations are performed. This did not go so well. star2::Int -> Int star2 steps = buffer!!(zeroAt+1) where (pos, buffer) = spinlock [0] steps 0 1 50000000 zeroAt = Data.Maybe.fromJust $ elemIndex 0 buffer The idea is simple: Iterate 50 million times, look for the 0, return the value after it. But the spinlock never finishes. Haskell's lazy evaluation gets in the way, and I couldn't figure out how to make it stop. With lazy evaluation, we keep all iterations of the spinlock in memory until we print the final result. That's a problem. shrug Day 18 – A programming language interpreter The gist of a simple interpreter built in JavaScript On Day 18 of our Advent of Code, we had to build an interpreter for a simple programming language. There are 7 commands that take 1 or 2 arguments. Arguments can be registers or values. snd X plays a sound with a frequency equal to the value of X. set X Y sets register X to the value of Y. add X Y increases register X by the value of Y. mul X Y sets register X to the result of multiplying the value contained in register X by the value of Y. mod X Y sets register X to the remainder of dividing the value contained in register X by the value of Y (that is, it sets X to the result of X modulo Y). rcv X recovers the frequency of the last sound played, but only when the value of X is not zero. (If it is zero, the command does nothing.) jgz X Y jumps with an offset of the value of Y, but only if the value of X is greater than zero. (An offset of 2 skips the next instruction, an offset of -1 jumps to the previous instruction, and so on.) Our goal is to find the first non-zero value that rcv finds. I built this one in JavaScript because why not. 😇 We start with a bunch of registers, which are a JavaScript Map. function initRegisters() { const registers = new Map( "abcdefghijklmnopqrstuvwxyz".split("").map((l) => [l, 0]) ); registers.set("sound", null); registers.set("pointer", 0); return registers; } This creates a register for each letter of the alphabet plus a sound register and a pointer. sound will be where snd puts its values and rcv reads them from, pointer is going to point to the current line of code we're executing. The interpreter itself comes as just 39 lines of code. It's a simple language after all. Although I do think it's got enough instructions to be Turing-complete, but it lacks the memory. 25 registers won't cut it for Turing completeness. You could, of course, expand it to have infinite registers 🤔 Anyway, the interpreter 👇 function execute(registers, command) { const [com, val1, val2] = command.trim().split(" "); function getVal(val) { if (registers.has(val)) { return registers.get(val); } else { return Number(val); } } let jumped = false, kill = false; const commands = { snd: (a) => registers.set("sound", getVal(a)), set: (a, b) => registers.set(a, getVal(b)), add: (a, b) => registers.set(a, getVal(a) + getVal(b)), mul: (a, b) => registers.set(a, getVal(a) * getVal(b)), mod: (a, b) => registers.set(a, getVal(a) % getVal(b)), rcv: (a) => ( console.log("SOUND:", getVal("sound")), (kill = true), registers.set(a, getVal("sound")) ), jgz: (a, b) => getVal(a) > 0 ? ((jumped = true), registers.set("pointer", getVal("pointer") + getVal(b))) : null, }; commands[com](val1, val2); if (!jumped) { registers.set("pointer", getVal("pointer") + 1); } return [kill, registers]; } We split the line of code into a command and two values, val1 and val2. Then we define a function for reading values, getVal. If the value given is a known register, we read from it; otherwise, we return the value itself. After that, we need two flags: jump tells us if we executed a jump command, and kill tells us if we have to stop executing. A dictionary mapping all possible commands to a function that executes them helps us run the commands. Each function manipulates the registers and potentially flips the jump and kill flags. When the current line of code is executed, we advance our pointer by +1 if we didn't jump. The interpreter returns the kill flag and the new registers. The registers are actually changed in place, and there's no need to return, but I think this approach makes our implementation clearer. With the interpreter in hand, we then have to add some looping to find the answer to AoC 18 Star 1. function star1() { let registers = initRegisters(), kill = false; const program = input.split("\n").filter((command) => command.length > 0); // find sound value at first non-zero rcv while ( registers.get("pointer") >= 0 && registers.get("pointer") < program.length && !kill ) { [kill, registers] = execute(registers, program[registers.get("pointer")]); } } Create registers, split program into lines, execute until a while condition is met. Either we jumped out of the program, or a line set the kill flag. Works like a charm 👌 Star 2 is where it gets tricky. Those snd and rcv commands weren't actually about sound; they were send and receive commands, and you're meant to run two copies of this code in parallel. They communicate with snd and rcv. We have to expand our sound register into a message queue and add some logic for how it's shared between the two programs. Additionally, the puzzle wants us to pause execution of each program while it waits for the queue to get values. Sounds hard. So I went to bed. Did you enjoy this article? Published on December 18th, 2017 in Haskell, Technical Learned something new? Want to become an expert? Here's how it works 👇 Leave your email and I'll send you thoughtfully written emails every week about React, JavaScript, and your career. Lessons learned over 20 years in the industry working with companies ranging from tiny startups to Fortune5 behemoths. Join Swizec's Newsletter And get thoughtful letters 💌 on mindsets, tactics, and technical skills for your career. Real lessons from building production software. No bullshit. "Man, love your simple writing! Yours is the only newsletter I open and only blog that I give a fuck to read & scroll till the end. And wow always take away lessons with me. Inspiring! And very relatable. 👌" ~ Ashish Kumar Join over 14,000 engineers just like you already improving their careers with my letters, workshops, courses, and talks. ✌️ Have a burning question that you think I can answer? I don't have all of the answers, but I have some! Hit me up on twitter or book a 30min ama for in-depth help. Ready to Stop copy pasting D3 examples and create data visualizations of your own?  Learn how to build scalable dataviz components your whole team can understand with React for Data Visualization Curious about Serverless and the modern backend? Check out Serverless Handbook, modern backend for the frontend engineer. Ready to learn how it all fits together and build a modern webapp from scratch? Learn how to launch a webapp and make your first 💰 on the side with ServerlessReact.Dev Want to brush up on your modern JavaScript syntax? Check out my interactive cheatsheet: es6cheatsheet.com By the way, just in case no one has told you it yet today: I love and appreciate you for who you are ❤️ Created bySwizecwith ❤️
ESSENTIALAI-STEM
séitig Etymology From an earlier meaning of "companion," from, related to , also the source of. Noun * 1) wife, consort * "sga" * "sga" * "sga" - Manid co séitchi ro·cretis, na·tuic séitchi iar cretim. * "sga" * "sga" - .i. is ed ainm setche Samsóin. * 1) female companion
WIKI
Can a five-minute workout make you fitter? Struggling for time or motivation to work out? Try exercise snacking – the five-minute workout plan that could make training easier.  Now that some elements of normal life are open for business, you may have found that the time you were spending on training has been swapped out for work, dinners or catching up on sleep after late nights out and about. That’s OK: it’s all about balance and not overdoing it as we work out our new normal. But if you know that you feel better for moving your body or are serious about finally mastering the art of press ups, how do you squeeze in your training when we have barely any time at all?  You may also like Burnout: How to balance your fitness, work and social lives in the ‘new normal‘ ’Exercise snacking’ is the idea behind just that. Not the act of stopping mid-workout for a cereal bar, but instead the seperation of exercise into smaller chunks spread throughout the day. The clue is in the name, says strength and conditioning coach and exercise snacking advocate Pennie Varvarides: “It’s about breaking it down into small bursts, like a ‘snack’ rather than a meal. So that might be stepping away from your desk for five or 10 minutes and working on something small.” And we really do mean small. In fact, a study from the University of Texas concluded that even just 4-second bursts of exercise have been shown to improve fitness. How to do exercise snacking You can ‘snack’ on any exercise, but logistically there are some things that work better than others. For example, you won’t be lifting heavy weights in short bursts throughout the day, as by the time you’ve warmed up and racked up the bar, snack time is over. Equally, you might want to assess wether cardio style training works for you – how comfortable will you be going back to your daily tasks after getting a bit sweaty from a five minute skipping session?  “I will often talk about mobility snacks or a short skill block because those tend to be the things that are easiest to fit in like five or 10 minutes,” Pennie explains. “You could also work on bodyweight strength moves, like push ups or pull ups, or you could work on moves as a circuit.”  Exercise snacking can be done in five minute blocks What are the benefits of exercise snacking?  If the idea of swapping out an hours training for multiple bursts of five minutes of exercise on your lunch sounds too good to be true, you’ll be glad to know that it is proven to have benefits: in a study by the University of Bath,  four weeks of exercise snacking increased the number of sit-to-stand repetitions participants could complete in 60 seconds by 30%, leg strength and power increased by 5% and 6% respectively, and thigh muscle size increased by 2%.  “If you don’t have an hour to spare or you just don’t want to spend that long exercising, then doing a small amount of something is quite beneficial and almost always better than doing nothing,” says Pennie. “It might even allow some people to get a better quality of work done. Instead of faffing around for a bit, people can focus on moving really well for just five minutes or 10 minutes.” You may also like Are you exercising too much during lockdown? Why it’s time to turn off “beast mode” It’s also important to note that it might benefit those who don’t do regular exercise, more than it would the regular gym goer. “If you’re super busy, for example managing exercise around working full time and raising children or running a business, you might not be able to fit a whole hour in all of the time. Snacking is also quite beneficial if you suffer from chronic fatigue and getting through an hour is actually just impossible,” Pennie says. However, if you are someone who usually trains multiple times a week, then you will notice that exercise snacking won’t give you the same strength and endurance benefits you’d get from your usual sessions. “Don’t swap all of your training because you will never have enough time to strength train, which is important,” says Pennie. “But if there’s one day a week or a period of time when you can’t move how you’d like, then this a great option. ‘Snacking’ isn’t a replacement for most, it’s just a way of getting a bit more moving in when you don’t have time when you can’t be bothered.”  Inspired? Try some of these exercise snacking workouts: Mobility work: Spend five minutes working through the major joints in your body, such as the shoulders, hips and ankles. Strength focused training: Five sets of press-ups until failure, with one minute rest between sets. A cardio circuit: complete 10 press-ups, 10 lunges and 10 burpees as many times as possible in 10 minutes. A skill building snack: Practice something such as L-sits, Turkish get ups or crow pose for five minutes.  Follow @StrongWomenUK on Instagram for the latest workouts, delicious recipes and motivation from your favourite fitness experts. Images: Getty Source: Read Full Article
ESSENTIALAI-STEM
Article Modulation of ingestive behavior and gastrointestinal motility by ghrelin in diabetic animals and humans. Division of Gastroenterology, Department of Medicine, Taipei Veterans General Hospital, 201, Section 2, Shih-Pai Road, Taipei 112, Taiwan, R.O.C. Journal of the Chinese Medical Association (Impact Factor: 0.75). 05/2010; 73(5):225-9. DOI: 10.1016/S1726-4901(10)70048-4 Source: PubMed ABSTRACT Acyl ghrelin, a 28-amino acid peptide hormone, is the endogenous cognate ligand for the growth hormone secretagogue receptor. Ghrelin is involved in stimulating growth hormone release, eliciting feeding behavior, inducing adiposity and stimulating gastrointestinal motility. Ghrelin is unique for its post-translational modification of O-n-octanoylation at serine 3 through ghrelin O-acyltransferase, and is the only peripheral signal to enhance food intake. Plasma ghrelin levels manifest "biphasic changes" in diabetes mellitus (DM). In the early stage of DM, the stomach significantly increases the secretion of ghrelin into the plasma, and elevated plasma ghrelin levels are correlated with diabetic hyperphagic feeding and accelerated gastrointestinal motility. In the late stage of DM, plasma ghrelin levels may be lower, which might be linked with anorexia/muscle wasting, delayed gastrointestinal transit, and even gastroparesis. Therefore, the unique ghrelin system may be the most important player compared to the other hindgut hormones participating in the "entero-insular axis". Further studies using either knockdown or knockout of ghrelin gene products and ghrelin O-acyltransferase may unravel the pathogenesis of DM, and show benefits in combating this disease and metabolic syndrome. 0 Bookmarks  ·  167 Views • [Show abstract] [Hide abstract] ABSTRACT: Narcolepsy-cataplexy is characterised by orexin deficiency, sleep disturbance, obesity and dysautonomia. Ghrelin and obestatin affect both energy intake and sleep. Our aim was to investigate ghrelin, obestatin and metabolic/autonomic function in narcolepsy-cataplexy. Eight narcolepsy-cataplexy patients (seven CSF orexin-deficient) and eight matched controls were studied. The subjects had a fixed energy meal with serial blood samples and measurement of heart rate variability (HRV). Fasting plasma obestatin was more than threefold higher in narcolepsy subjects (narcolepsy 89.6 ± 16 pg/ml vs. control 24.9 ± 3 pg/ml, p < 0.001). There was no change in HRV total power, but post-prandial low-frequency (LF) power and high-frequency (HF) power were lower in the narcolepsy group [area under the curve (AUC): HF power narcolepsy 1.4 × 10(5) ± 0.2 × 10(5) vs. control 3.3 × 10(5) ± 0.6 × 10(5 )ms(2)/h, p < 0.001]. On multiple regression analyses, the only significant predictor of plasma obestatin was HF power, which was inversely correlated with obestatin (β = -0.65 R (2) = 38 %, p = 0.009). Fasting and post-prandial plasma ghrelin were similar in both groups (narcolepsy 589.5 ± 88 pg/ml vs. control 686.9 ± 81 pg/ml, p = 0.5; post-prandial AUC-narcolepsy 161.3 ± 22 ng/ml/min vs. control 188.6 ± 62 ng/ml/min, p = 0.4). Only the narcolepsy group had significant suppression of plasma ghrelin after the meal (ANOVA, p = 0.004). In orexin-deficient narcolepsy, fasting plasma ghrelin is unaltered, and post-prandial suppression is preserved. Fasting plasma obestatin is increased and correlates with autonomic dysfunction. As obestatin affects NREM sleep, we suggest that increased plasma levels contribute to the disrupted sleep-state control in narcolepsy. Endocrine 11/2012; · 1.42 Impact Factor • [Show abstract] [Hide abstract] ABSTRACT: Growth hormone (GH)-releasing peptides (GHRPs) are synthetic peptides that strongly induce GH release. GHRPs act via a specific receptor, the GHRP receptor (GHSR), of which ghrelin is a natural ligand. GHRPs also induce adrenocorticotropic hormone (ACTH) release in healthy subjects. GHRPs or ghrelin stimulate ACTH release via corticotropin-releasing factor (CRF) and arginin vasopressin in the hypothalamus. Stress-activated CRF neurons are suppressed by glucocorticoids in the hypothalamic paraventricular nucleus (PVN), while CRF gene is up-regulated by glucocorticoids in the PVN cells without the influence of input neurons. However, little is known about the regulation of ghrelin and GHSR type 1a (GHSR1a) genes by glucocorticoids in PVN cells. To elucidate the regulation of ghrelin and GHSR gene expression by glucocorticoids in PVN cells, here we used a homologous PVN neuronal cell line, hypothalamic 4B, because these cells show characteristics of the parvocellular neurons of the PVN. These cells also express ghrelin and GHSR1a mRNA. Dexamethasone increased ghrelin mRNA levels. A potent glucocorticoid receptor antagonist, RU-486, significantly blocked dexamethasone-induced increases in ghrelin mRNA levels. Dexamethasone also significantly stimulated GHSR1a mRNA and protein levels. Finally, ghrelin increased CRF mRNA levels, as did dexamethasone. Incubation with both dexamethasone and ghrelin had an additive effect on CRF and ghrelin mRNA levels. The ghrelin-GHSR1a system is activated by glucocorticoids in the hypothalamic cells. Regulatory Peptides 11/2011; 174(1-3):12-7. · 2.06 Impact Factor • Source [Show abstract] [Hide abstract] ABSTRACT: Few investigations reported the reductive effect of preload consuming on energy intake. The objective of the study was to compare the effects of consuming a mix of low glycaemic index foods such as vegetable salad, yogurt and water before or with meal on anthropometric measures and cardio vascular diseases (CVD) risks. In this randomized controlled clinical trial, 25 men and 35 women were recruited to consume similar amounts of macronutrients within a hypocaloric diet for 3 months. Although subjects in the preload group consumed preload 15 min before the main meal, subjects in the control group consumed them with meal. The results showed that body weight, waist circumference, triglyceride, total cholesterol and systolic blood pressure decreased in more amount in the preload group ( - 7.8 ± 0.5%, - 2.7 ± 0.2%, - 5.7 ± 1.1%, - 3.1 ± 0.53% and - 4.4 ± 0.4%, respectively; p < 0.05 for all). Fasting blood sugar and low density lipoprotein (LDL)-cholesterol decreased significantly only in the preload group. Consuming vegetable salad, yogurt and water as preload leads to greater changes in anthropometric measures and CVD risks. International Journal of Food Sciences and Nutrition 12/2012; · 1.26 Impact Factor Full-text (2 Sources) View 64 Downloads Available from Jun 1, 2014
ESSENTIALAI-STEM
Edward Randolph (colonial administrator) Edward Randolph (1632 – April 1703) was an English colonial administrator, best known for his role in effecting significant changes in the structure of England's North American colonies in the later years of the 17th century. Life He was born in Canterbury, the son of Edmund Randolph M.D. and his wife Deborah Master. The merchant Bernard Randolph was his younger brother. He was admitted to Gray's Inn in 1650, and matriculated at Queens' College, Cambridge in 1651. It is not recorded that he was called to the bar, or received a degree. In 1676 Randolph was the bearer of a royal letter to the governor and council of Massachusetts to resolve claims of Robert Tufton Mason, grandson of John Mason, and the heirs of Ferdinando Gorges, in the provinces of New Hampshire and Maine. Earning Randolph the reputation of "evil genius of New England and her angel of death", his reports to the Lords of Trade (predecessors to the 18th century Board of Trade) convinced King Charles II to revoke the charter of the Massachusetts Bay Colony in 1684, and he was a leading figure in the unpopular Dominion of New England. Randolph served as secretary of the dominion. While in that position, he argued for tighter Crown control over proprietary and charter colonies whose administrations lacked such oversight, and he was often given the difficult task of enforcing England's Navigation Acts in whichever colony he was posted to, often against significant local popular and political resistance. His actions were a significant contribution to the development of Great Britain's colonial administrative infrastructure, but he remained unpopular in the dominion. During the 1689 Boston revolt, which deposed Edmund Andros and overthrew the dominion, he was jailed. In 1691, Randolph was appointed surveyor general of the customs, on the American mainland as well as in some of the island colonies, and a year later received an additional appointment as deputy auditor of Maryland. Randolph urged William Blathwayt to pass legislation to prevent colonial misconduct related to trade in 1696. In 1696, Randolph appealed a Maryland Navigation Act case, Randolph v. Blackmore which set the operational balance between jury freedom and judicial administration in that place. Having visited all the colonies north of the Bahamas, he made a presentation to the government with a view to have the charters revoked in the American colonies by the parliament of 1700. Facing a postponed bill, the lawyer filed his evidence in a chancery court. In 1702 Randolph seized a vessel, questioning its seaworthiness, but the authorities of Maryland put it back in the trade. Randolph resided in York County, Virginia, but died on Virginia's eastern shore in 1703. In literature The fate of Edward Randolph—and the bitter feelings he engendered among the populace—is dealt with in "Edward Randolph's Portrait," one of the stories that make up Nathaniel Hawthorne's Legends of the Province House, a quartet of tales that first appeared in 1838–1839.
WIKI
User:Bc13rox Okii so..the "example" of how to make this page is soooooo "big" and "exact" that..wow..:D BC13rox..better say BC13 Rocks ..an user registered principally for editing on whatever I can help with the brokencyde article and the albums.. also some minor edits around the Wikipedia in other articles =) umm i dunno what else to say...that's all for now folks! :D
WIKI
Peter Thiel’s Embrace of Trump Has Silicon Valley Squirming State of the Art When the technology investor Peter Thiel takes the stage just before Donald J. Trump at the Republican convention this week, he will become the most prominent public face of a species so endangered it might as well be called extinct: the Silicon Valley Trump supporter. Nobody knows what Mr. Thiel, a co-founder of PayPal, will say (he declined an interview), but in the tech industry, his appearance at the convention is being greeted with more apprehension than excitement. Venture capitalists have a special term for investment opportunities that offer the potential for a big return but also carry a great deal of risk: high beta. For Silicon Valley’s political aspirations, Mr. Thiel’s speech is the ultimate high-beta performance. On the one hand, an emissary from tech will have a national platform to push the industry’s agenda and, more important, its worldview. By the end of Mr. Thiel’s speech on Thursday night, it’s possible he will have succeeded in showing off an ideology that is rarely encountered in public — the hands-off-my-stuff, techno-libertarian vision that is a hobbyhorse of Mr. Thiel and a few other Silicon Valley bigwigs. And if Mr. Trump wins the White House, Mr. Thiel will have a direct line to a chief executive who hints at a penchant for making big things happen for his supporters. In 2004, Mr. Thiel made a $500,000 investment in Facebook, the earliest big bet on what was then one of many social networks. Facebook succeeded beyond anyone’s guess, and Mr. Thiel’s half million turned into close to half a billion; he now sits on the company’s board. In some ways, the bet on Mr. Trump is a similar long-shot play that could pay off “big league,” as the Republican nominee might say. On the other hand, this could end quite badly. Mr. Thiel, who was last in the news for his financial support of Hulk Hogan’s legal fight against Gawker Media, has a slate of political views that stand out of line with most in tech, and perhaps most Americans. He once wrote that “the 1920s were the last decade in American history during which one could be genuinely optimistic about politics.” After that, he suggested, things went south because, among other things, women were given the right to vote. Meanwhile, Mr. Trump’s views — on issues including immigration, encryption, antitrust regulation and free trade — as well as his overall tone and temperament have been met with steely opposition by many in tech. Here’s how we analyzed the third night of the Republican National Convention, which featured Mike Pence, Ted Cruz and more. The danger, then, is that not only could Mr. Thiel’s public embrace of Mr. Trump backfire on him, but it could also become another plot point in the larger story line that Silicon Valley is exclusionary and narrow-minded and that its innovations are advancing global inequality. What’s more, the speech could spoil what had been growing areas of overlap between the Republicans and the tech industry. In the Obama years, much of Silicon Valley has become very close to Democrats. This year there was an opportunity for a Republican to make overtures to tech — but with Mr. Trump, that chance seems to have passed. “Where Trump has stood on immigration reform, or how he called for a boycott of Apple, or on a number of other issues, it almost seems like he’s gone out of his way to smite Silicon Valley leaders on the issues they care about,” said Mason Harrison, a Silicon Valley Republican who has worked for several presidential campaigns, including Mitt Romney’s and John McCain’s. Mr. Harrison said he would vote this year for Gary Johnson, the Libertarian Party’s presidential candidate. Mr. Harrison was one of the few Silicon Valley Republicans willing to chat openly about their options this year. Virtually every prominent Republican in the industry whom I called declined to comment or was willing to speak only anonymously about the strained connection between the tech industry and the Republican Party. To people who work in the industry, the diminished state of the Republican Party among techies may not come as a surprise. Though Silicon Valley has a reputation for libertarian leanings, most people in the industry tend to identify with Democrats. Both in votes and in fund-raising, President Obama trounced Mr. Romney and Mr. McCain in Silicon Valley. Greg Ferenstein, author of “The Age of Optimists,” a book about tech and politics, has studied start-up founders’ political views. He has found that while founders tend to support some libertarian points of view (they are for free trade and tend to be skeptical of labor unions), they are generally aligned with Democrats on many major policy areas. They are for increased immigration, for greater environmental protections, for more government spending on research and infrastructure, and for health care mandates like the one in the Affordable Care Act, among other ideas. People in Silicon Valley “are supporting policies that are very much pro-capitalism and pro-government at the same time,” Mr. Ferenstein wrote last year. He added, “No, Silicon Valley is not a libertarian hotbed; rather, we are witnessing the rise of an entirely new type of Democrat.” A few Republicans in tech told me they had been enthusiastic that this year’s slate of presidential candidates could remake the Republican brand among techies. Jeb Bush, Chris Christie, Marco Rubio, John Kasich and Rand Paul all seemed personally comfortable with tech (Governor Bush’s 2006 official portrait shows him standing next to his cherished BlackBerry), and several had expressed interest in addressing crucial policy issues that were of concern to some in the industry. For instance, appointments at the Federal Trade Commission, the Federal Communications Commission and the Department of Labor might have given the industry some of what it wanted on issues having to do with labor rulings and privacy and antitrust investigations. Then Mr. Trump won the nomination and the Republicans’ brand in Silicon Valley fell through the floor. Though he runs a popular Twitter account, the New York businessman is widely seen as a tech ignoramus by people in the industry. Last year, in response to the threat posed by terrorists’ recruiting people online, Mr. Trump said he would enlist the Microsoft co-founder Bill Gates to help him “close up” essential parts of the internet — an idea that was mocked as ridiculously unworkable. He also said he would force Apple to make iPhones in the United States, has threatened Amazon with an antitrust investigation and proposed boycotting Apple because of its standoff with the government over encryption — none of which won him friends in tech. A bigger problem than Mr. Trump’s policy ideas was his tone. Though Silicon Valley has well-known problems with diversity in its work force, people here pride themselves on a kind of militant open-mindedness. It is the kind of place that will severely punish any deviations from accepted schools of thought — see how Brendan Eich, the former chief executive of Mozilla, was run out of his job after it became public that he had donated to a campaign opposed to gay marriage. Mr. Trump’s comments about immigrants, women and so many other groups have made him a kind of kryptonite in Silicon Valley. Mr. Thiel, a billionaire known for his unusual positions, does not appear to be too bothered by kryptonite. And some on the right said they were open to hearing what Mr. Thiel had to say in defense of Mr. Trump. “This is our democratic process, and I don’t think we should try to shout down Peter Thiel because he’s not saying the same thing that everyone else here is saying,” said Garrett Johnson, a co-founder of the Lincoln Initiative, a tech-policy research group. But Mr. Johnson, an African-American Republican who said he was also voting for the Libertarian candidate this year, said he doubted that Mr. Thiel could persuade him to support Mr. Trump. “As a black guy in Silicon Valley, I just find it very hard to support a candidate who has been called racist,” Mr. Johnson said. video
NEWS-MULTISOURCE
Village Ibrahimzai, Hangu District Ibrahimzai is a village situated in the jurisdiction of Hangu, Khyber Pakhtunkhwa, Pakistan. It has about 6,000 voters according to the last voters list in the last election. Dar-e-Abbas Zyarat, Zyarat Bara (12)Imam and Imam Takhat are the religious and attractive places of this village. A water canal is flowing between the village from west to east. The village containing 100% population (more than 10,000) of Shia Asna Ashari (Fiqha-e-Jaffareyah). Juma prayer offering at the village from 1983 to till date in the holy shrine of Ghazi Abbas Alamdar (time 13:15). Notable residents On 2014-01-06, local 14-year-old Aitzaz Hasan died while preventing a suicide bomber from entering his school of 2,000 students. Aitzaz was hailed as a national hero. For his act, the office of Pakistan Prime Minister Nawaz Sharif had advised President Mamnoon Husain to confer Aitzaz Hasan with the high civil award of Sitara-e-Shujaat (Star of Bravery). He was named as the Herald's Person of the Year for 2014.
WIKI
Pseudoisurus tomosus Pseudoisurus tomosus is a scientific name that has been declared a nomen dubium due to its referred type specimens being lost. It may refer to: * Pseudoisurus tomosus (Glückman, 1957): Currently considered a synonym of Cardabiodon ricki * Pseudoisurus tomosus (Glückman, 1957): Currently considered a synonym of Dwardius
WIKI
TechSpot How do you take a screen shot on a VM running Windows? By Jskid May 27, 2011 Post New Reply 1. Host:Mac OS X Guest:Windows XP how can I take a screen shot in XP? The keyboard doesn't have a print screen button?   2. brianzion brianzion TS Rookie built in on screen keyboard Windows XP comes with a built in on screen keyboard. Basically a graphic of a keyboard comes up and acts like your keyboard, you can use your mouse to hunt and peck around. What uses does this have and what did I use it for? Well, it's good for people with disabilities, where it would be easier to use a mouse than trying to type or it's great to use when your keyboard goes loco on you. Yes, we've all had our keyboard go nuts. Here is how you launch it: - Click "Start" button - Click on "RUN" - Enter\type "OSK" (without quotes) The keyboard comes on You can also create a shortcut to the "On-Screen Keyboard", because if your keyboard should go out on you, it would be handy to have it. All you do to create the shortcut is to: - Right click on the desktop - Click the new shortcut button - Enter\type OSK, click next twice, and there you have it. i cant post a link but see if you can search google for Windows XP Accessibility Tutorials   3. Leeky Leeky TS Evangelist Posts: 4,378   +99 You sure you don't want the host to take the screenshot? Would be rather odd to take a screenshot within a guest OS, unless you plan on moving them via shared folders onto the host.   4. captaincranky captaincranky TechSpot Addict Posts: 10,968   +955 5. Jskid Jskid TS Enthusiast Topic Starter Posts: 433 @brainzion that's smart, good thinking @Leeky how's the odd? I want to take a screen shot of a problem and e-mail it. @captaincranky I'll give that program a try because it would be useful to take pictures of only the relevant area, not the whole screen   Add New Comment TechSpot Members Login or sign up for free, it takes about 30 seconds. You may also... Get complete access to the TechSpot community. Join thousands of technology enthusiasts that contribute and share knowledge in our forum. Get a private inbox, upload your own photo gallery and more.
ESSENTIALAI-STEM
Page:Encyclopedia of Virginia Biography volume 1.djvu/14 Edwin Sandys, Nichols Ferrar and the Earl of Southampton—worthy successors of Gilbert and Raleigh—undertook the solution of the problem. Raleigh, confined in the Tower, could not take an active part at this time, but his friends and relations were the chief actors and workers in the new colonization schemes. Two large associations were formed—one composed of lords, knights and merchants of the city of London, and the other of residents in the cities of Bristol, Exeter and Plymouth,—and they obtained from King James I., April 10, 1606, a joint charter which defined Virginia as the portion of North America lying between the 34th and 45th parallel of north latitude, practically the present United States. In this vast extent of territory the first Company, called the Virginia Company of London, was permitted to establish a settlement anywhere between 34 and 41 degrees; and the second, called the Plymouth Company, anywhere between 38 and 45 degrees. The actual jurisdiction of each Company was represented by a rectangle extending fifty miles north of the settlement and fifty miles south, and east and west 100 miles from the coast seaward, and 100 miles from the coast inland. The Plymouth Company was singularly unfortunate in its attempts, but the efforts of the Virginia Company were crowned with success; and by two new charters, 1609 and 1612, its jurisdiction was extended over the entire limit of its original sphere of possible settlement, and from sea to sea. The subsequent history of Virginia affairs under the Company for nearly twenty years is one of stupendous self-sacrifice both in England and America. The men in England who had the supreme control gave freely of their money and time, and received no return except the satisfaction of having founded in America a fifth kingdom under the Crown. The men in Virginia incurred hardships without parallel in the world's history, and most of them went to the martyrdom of cruel death by climatic disease, starvation and Indian attack. It was but natural that, in those unprecedented conditions, those in England should try to shield themselves from the blame and throw upon the settlers the responsibility. But discriminating history has seen the light at last, and while the motives of the directors of the enterprise were always high and honorable, it is now recognized that in the government of the colony they made many and serious blunders. For fear of making the enterprise unpopular they refused to tell the English public the real truth as to the dangerous climate and the other natural conditions making for evil. Virginia, as a country, had to be "boomed," at all events. Thus the poor settlers, who, for the most part, consisted of the best materials in England—old sailors under Hawkins and Drake, or old soldiers of the Netherlands—were abused and shamelessly villified. The appalling mortality which overwhelmed them for a great number of years is itself a pathetic and passionate vindication. Never did any martyr suffer so patiently, so patriotically, as these devoted settlers did—a prey to Indian attack,
WIKI
CNET también está disponible en español. Ir a español Don't show this again Culture How to get notifications of changes to your Google documents If you watch more than a few Google Docs files for changes, you know it can be a pain to sort through dozens of e-mails telling you what's what. If you use Chrome, there's a sweet extension that lets you know within your browser. Google Docs makes collaboration simple, but if you are monitoring more than a couple of files (or your collaborators like to make lots of changes at random times), it can be a pain to keep track of it all. E-mail notifications are fine, but if you want to keep your inbox clean, there's a great Chrome extension that can make your life easier. Here's how to use it:  1.  Download and install WatchDoc.  Step 1: Install WatchDoc. Step 1: Install WatchDoc. 2.  Click the WatchDoc icon in your extension bar and then click Login.  Step 2: Login to Google Docs. Step 2: Login to Google Docs. 3. Tell Google Docs to grant access. (You only need to do this once.)  4. When one of the documents you watch changes, you should see a red number indicating the number of changes in the WatchDoc icon. Click it to bring up a list of docs that have changed and, if you like, open them up in new tabs. It's easy, and your inbox will thank you! Step 4: Notification. Step 4: Notification.
ESSENTIALAI-STEM
Steep (video game) Steep is a sports video game developed by Ubisoft Annecy and published by Ubisoft. It was released worldwide on 2 December 2016 for PlayStation 4, Windows, and Xbox One. Developed by Ubisoft Annecy beginning in 2013, it was their first original game. It is set in the Alps, where players can participate in several winter and action sports disciplines, skiing, snowboarding, paragliding and wingsuit flying. With later downloadable content, mountains in Alaska, Japan and Korea were also included in the game and rocket-powered wingsuit flying, sledding, BASE jumping, and speed riding were incorporated as additional sports. Furthermore, two of the game's expansions allowed the player to take part in the Winter X Games and the 2018 Winter Olympics. The game places a great emphasis on online multiplayer, focusing on competing in various winter sporting challenges with other players online. Upon release, the game received mixed reviews. While critics lauded the overall graphics, vast open world and enjoyable activities, they also pointed out its lack of direction and overall scope, while criticism was also directed at the fact that being online was mandatory to play most of the game. Gameplay Steep is an online multiplayer extreme sports game set in an open world environment of the Alps, centered on the Mont Blanc, the tallest mountain in Europe, which can be explored freely by players. Later downloadable content (DLC) also added the Alaska Range, centered on Denali (formerly known as Mount McKinley), the tallest mountain in North America, as well as Japanese and Korean mountain ranges into the game. Korea features the venues of the 2018 Winter Olympics in Pyeongchang County. The game can be played from either a first-person or third-person perspective. The game also utilizes camera angles similar to GoPro during races, via a sponsoring deal. The four main activities available in the game include skiing, wingsuit flying, snowboarding, and paragliding. With later DLC, rocket-powered wingsuit flying, sledding, basejumping, and speed riding were also incorporated. Players can switch between these activities by using the game's menu wheel. Steep is an online-focused game, in which all players share the same game world, engaging in various sports activities simultaneously. Players can collide with each other unless disabled in the settings. To navigate the world quickly, players can use the "mountain view" mode, which shows different "drop zones" in the game. These drop zones serve as fast travel points that allow players to reach different parts of the game's world without having to actually move that distance. There are various hidden races, challenges, and areas, which can be discovered and unlocked through exploring the world. Players are equipped with a pair of binoculars, which can be used to discover new locations. The game has a trick system, which allows players to perform special maneuvers such as spinning and grabbing while they are skiing or snowboarding. Players receive points if they perform tricks. If the player performs excellently in a race, they will receive a medal as an award. When the player crashes during a challenge, they have the ability to retry it immediately and view the amount of g-Force the player's character endured during the crash. When players move around on the map, their path will be recorded automatically and can be viewed through entering the mountain mode. Players capture screenshots and view their own performance data. These replays can be shared to the game's community and various social networking sites. Players can set and share their trail as a challenge for other players. There are six types of play style ranging from racing, to exploring. The game features a nonlinear story, that follows the chosen player characters as they seek to become a winter and extreme sports legend. To achieve the rank of "Ultimate Legend", the characters have to attain legendary status in all six disciplines the game has to offer. With later DLCs, the player can also enter the Winter X Games, and take part in an event called "Winterfest", where he has to overcome costumed adversaries to be crowned the "King of Winter". The "Road To The Olympics" featured a new story campaign, in which the player character, an aspiring winter sports athlete, has to complete a series of events to qualify for the 2018 Olympic Games and become the first athlete to win gold medals in all three freestyle disciplines: big air, slopestyle, and halfpipe. Development The game was developed by Ubisoft Annecy, a French studio which had previously worked on the multiplayer modes of the Assassin's Creed franchise and the Tom Clancy's Splinter Cell franchise as well as assisting in the development of Tom Clancy's The Division. The game was co-developed by Ubisoft studios in Kyiv and Montpellier. Steep became the first original game created by them. Development of the game was started in late 2013. The concept was inspired by the developer's close proximity to the Alps, and another Ubisoft game, Tom Clancy's Ghost Recon Wildlands, whose large open world forced developer Ubisoft Paris to implement transport methods such as paragliding. The Trials series also influenced the game's design. Ubisoft originally was not convinced by the development team's concept, but they later greenlit the project's development, mainly due to the huge popularity of extreme sporting videos on the video sharing website YouTube. The developers were also inspired by the renewed interest in the skateboarding game Skate 3 after it was re-popularized through Let's Play streaming events performed by YouTubers and others. According to Igor Manceau, the game's director, the team pitched the project to Ubisoft as they believed that the game's online structure and open world are elements that are new to the sports genre. Manceau claimed that the game was a "passion project" and a "natural progression" for the studio, and that it was designed to be accessible for newcomers and complex for fans of the genre. The team collaborated with the action sport industry and consulted several professional skiers and extreme sports athletes and experts, such as Louis Aikins, Kevin Rolland, Sammy Luebke, and Horacio Llorens. However, one of the professional skiers, Matilda Rapaport, died while shooting a promotion video for the game in Farellones, Chile due to a sudden avalanche accident. The game was revealed with a trailer and playable demo at the 2016 Electronic Entertainment Expo as the closing act to Ubisoft's press conference. An open beta was set to be released prior to the game's official launch. Steep was released for PlayStation 4, Windows, and Xbox One on 2 December 2016. A new region, Alaska, was introduced into the game as a free update soon after the game's release. A version for the Nintendo Switch was announced but later canceled. Additional expansions The game was supported by a season pass during the first year of its release cycle. The season pass included the Winterfest DLC, adding sledging and new challenges, the Extreme Pack, adding speed riding, basejumping and rocket-powered wingsuits, as well as the Adrenaline Pack, adding night races and new outfits. In June, at E3 2017, Ubisoft announced that a Winter Olympics expansion, Steep: Road to the Olympics, would be released on 5 December 2017. The expansion featured new mountain ranges in Korea and Japan and let the player take part in the 2018 Winter Olympics. For the third year of the release cycle, the X Games Pass could be purchased, including the Rocket Wings DLC, adding more rocket-powered wingsuit events, the 90s DLC, adding 90s-themend clothing, as well as the eponymous X Games DLC, allowing the player to enter the Winter X Games competition. All three releases could be purchased separately or as enhanced versions of the base game, respectively. Access to the Road to the Olympics DLC was removed from the game in 2022 to comply with third party rights. Reception Steep received "mixed or average" reviews, according to Metacritic. While critics generally lauded the game's vast open world and enjoyable activities, critics also pointed out its lack of direction and overall scope, with critique also being directed at its always-online concept. In February 2019, Ubisoft announced that Steep was played by 10 million individual players. Matthew Kato of Game Informer awarded the game a positive review. While he was initially wondering if a game solely centered on extreme sports and a vast open world would capture the players, he found Steep to be very captivating through its open world, gameplay, and atmosphere. He called the "volume of challenges [...] admirable, as is the scale of its open world", but was especially pleased with how well the world was tailored to cater to each discipline, thus interacting with the world was a "breathtaking and demanding" process. He noted that the trick system was aimed at accessibility and thus did not provide a feeling akin to the Tony Hawk's series of video games. TJ Hafer of IGN also rated the game positively for similar reasons, describing Steep's world as "one of the most diverse and visually interesting open worlds" in video games. He called the physics of the game "satisfying" and noted that they managed to find a balance between realistic and arcade approaches. Unlike other critics, he found the open concept of the game to be working out well. He lauded the game for its well executed controls, which he described as "intense, engaging, and at times [...] frantic." Also, he praised the game's open world, which he described as "gorgeous" and also "just awe-inspiringly gargantuan", with its "grandiose, attractive environments". Ray Castillo of EGM gave the game an average rating and was more critical. He too lauded Ubisoft Annecy for the game's graphics and world design, stating, that the "game looks gorgeous, and each mountainside has character to it." Furthermore, he noted the customization options for the different characters as very rich. However, he was critical of the game's map and objective structure, stating that the map opens up too early and is convoluted, while the presentation of objectives is confusing, and they do not seem to be designed to lead the player to an end goal through constant progress. This led him to conclude that the game lacked direction. He called the fact that the game has to have an internet connection to be played "unforgivable". He concluded, that while the game had "a lot of good ideas at its core", it was "more frustrating than fun." Similarly, Hafer noted that the paragliding path was the least entertaining of the four initial play styles but if a player wanted to complete the game, he was forced to do these events. Furthermore, he missed the option of increasing a character's stats, as it was handled in most classic extreme sport titles. Additional expansions The additional expansions were similarly received as the main game. The Road to the Olympics DLC was criticized by Kato of for providing little substance. While he enjoyed the Japanese mountain ranges, he was very critical of the game's new story mode and the Korean mountain. He noted that the mode "half-heartedly attempts the staging of its own Olympic drama" without conveying an Olympic experience. The decision to only include freestyle disciplines in the story while completely omitting skiing events such as Super-G or giant slalom added to that sentiment. He questioned the decision to include the Korean mountain ranges where the Olympics took place but not making them accessible in freeride mode. All in all, he noted that the expansion "restrict what is best about Steep with little to show for it in return." Chris Shive of Hardcore Gamer was less critical of the expansion, calling the new story mode "a goal-focused narrative that so many gamers have been conditioned to crave", while noting the game's stunning visuals, especially in the Japanese mountains. The X Games Pass was described by Michele Sollazzo of Eurogamer as a completion of the game's development, bringing it to its final form. Also, he noted that the expansion provided a good contrast to the previous Road to Olympics expansion, as it focused more on extreme sports. While he noted the X Games expansion itself as short, he found the competitions to be rather challenging. Stefan Stuursma of XGN also noted the difficulty of the X Games events and felt the new challenges added depth to the game. However, he criticized Ubisoft for not including a new area and the relative small amount of content in the new DLC package. Accolades The game won "Best Sports Game" at the 2016 Gamescom Awards and the 2016 Game Critics Awards, as well as "Sports Game of the Year" at the 20th Annual D.I.C.E. Awards.
WIKI
CBD Flower Extraction Methods: What Retailers Should Know CBD Flower Extraction Methods: What Retailers Should Know CBD Flower Extraction Methods: What Retailers Should Know As the CBD market continues to expand, retailers need to be well-informed about the various extraction methods used to produce CBD products. Understanding these methods is crucial for ensuring product quality, efficacy, and safety, which in turn helps build trust with your customers. This blog post will delve into the primary CBD flower extraction methods, detailing their processes, benefits, and drawbacks. 1. Solvent Extraction Solvent extraction is one of the most common methods used to extract CBD from hemp flowers. This process involves using solvents like ethanol, butane, propane, or hexane to dissolve the plant’s cannabinoids and terpenes. Process: • The hemp flowers are soaked in the solvent, which dissolves the cannabinoids and other compounds. • The mixture is then filtered to separate the plant material from the solvent solution. • The solvent is evaporated, leaving behind the concentrated CBD oil. Benefits: • Efficiency: Solvent extraction is relatively quick and can process large quantities of hemp. • Cost-Effective: This method is generally less expensive than others, making it popular among producers. Drawbacks: • Solvent Residue: If not properly evaporated, solvents can leave harmful residues in the final product. • Safety Concerns: Some solvents are highly flammable and pose safety risks during the extraction process. 2. CO2 Extraction CO2 extraction is considered the gold standard in the industry due to its ability to produce high-quality, pure CBD oil. This method uses supercritical carbon dioxide to extract cannabinoids from the hemp plant. Process: • CO2 is compressed at high pressure and low temperature to reach a supercritical state, where it exhibits properties of both a liquid and a gas. • The supercritical CO2 is passed through the hemp flowers, extracting cannabinoids and terpenes. • The CO2 is then depressurized and returned to a gas state, leaving behind the concentrated CBD oil. Benefits: • Purity: CO2 extraction yields pure and potent CBD oil without any solvent residues. • Safety: CO2 is non-toxic and non-flammable, making the process safer. • Versatility: The method allows for precise control over temperature and pressure, enabling the extraction of specific cannabinoids and terpenes. Drawbacks: • Cost: The equipment required for CO2 extraction is expensive, making it a costly process. • Complexity: The method requires technical expertise and careful monitoring to ensure optimal results. 3. Olive Oil Extraction Olive oil extraction is an ancient method that is still used today for small-scale production. This process is simple and safe, using olive oil as a carrier to extract CBD from hemp flowers. Process: • The hemp flowers are heated (decarboxylated) to activate the cannabinoids. • The plant material is then combined with olive oil and heated again to extract the cannabinoids into the oil. • The mixture is filtered to remove the plant material, leaving behind CBD-infused olive oil. Benefits: • Safety: Olive oil is non-toxic and safe to handle, eliminating the risks associated with solvents. • Simplicity: The method is straightforward and does not require specialized equipment. Drawbacks: • Perishability: Olive oil-infused CBD has a shorter shelf life and must be stored properly to prevent rancidity. • Lower Concentration: This method yields a less concentrated CBD product compared to other extraction techniques. 4. Dry Sifting Dry sifting is a mechanical method that involves physically separating the trichomes (the resinous glands containing cannabinoids and terpenes) from the hemp flowers using fine screens or sieves. Process: • The hemp flowers are frozen to make the trichomes more brittle. • The frozen plant material is then sifted through a series of fine screens. • The trichomes are collected as a fine powder known as kief. Benefits: • Solvent-Free: This method does not use any solvents, ensuring a pure product. • Simple Equipment: Requires basic equipment, making it accessible for small-scale operations. Drawbacks: • Labor-Intensive: The process can be time-consuming and labor-intensive. • Lower Yield: Produces a lower yield compared to solvent and CO2 extraction methods. 5. Ice Water Extraction Ice water extraction, also known as bubble hash, uses ice-cold water and agitation to separate the trichomes from the hemp plant. Process: • The hemp flowers are placed in ice water and agitated to break off the trichomes. • The mixture is filtered through a series of mesh bags or screens to collect the trichomes. • The collected trichomes are dried to produce bubble hash. Benefits: • Solvent-Free: This method uses only water and ice, eliminating solvent-related risks. • High-Quality Product: Produces a clean, potent product rich in cannabinoids and terpenes. Drawbacks: • Labor-Intensive: Requires manual labor and careful handling. • Yield Variability: The quality and yield can vary depending on the technique and equipment used. Conclusion Understanding the different CBD flower extraction methods is crucial for retailers who want to offer high-quality products to their customers. Each method has its own advantages and drawbacks, and the choice of extraction method can significantly impact the purity, potency, and safety of the final product. By staying informed about these processes, retailers can better educate their customers and ensure they are providing the best possible CBD products. At Tonic Vault, we are committed to transparency and quality. Explore our CBD flower collection to find products that are meticulously extracted and lab-tested to meet the highest standards. For more information on our extraction processes and product offerings, visit our blog or contact us directly. Let's work together to provide the best CBD products on the market! Back to blog
ESSENTIALAI-STEM
There are lots of methods to lose weight. The finest however, is the one that operates in the long term. Most of the time, individuals start their weight loss program enthusiastically, and they commit a couple of hours daily to it. Exactly what happens here is that you can slim down while you stick to the program, however what after you cease it? Then you would slowly restore all the fats that you burned during your weight reduction stint. Now nobody wishes to regain weight for sure! So the very best policy for obtaining a healthy body and keeping it for life would be making your weight loss program a part of your way of life. By following some simple procedures, you can do question with your weight and the very best part is that it wont impact your daily work schedule. See The Most Suitable Weight Loss Programs In Coventry VT Here Pointer number six to get your best body quickly is to avoid sugar. Sugar is much to blame as fat in putting on weight. So it will just be logical to cut it out to lose weight. Basically extreme weight reduction is not a smart idea for those who aims to reduce weight. Sadly the reality is that there are countless sites that supports extreme weight-loss. These websites are the ones who are selling weight reduction products that apparently will help you in reducing weight, however you have to look at the security of such products truthfully. What About Weight Loss Center? In the Fat Burning Furnace ebook, Rob goes into information about the marketing deception he and his spouse endured. What impressed me was Rob’s analysis of the selling intent of the diet and physical fitness industry to earnings by not giving the real answer for long-term, successful weight decrease. That way the market makes more cash continuously. This awareness would motivate Rob to do something about it. When we are feeling tired, numerous of us choose snacks for quick energy. But do not confuse cravings with lack of energy. When eating every 2 to 3 hours choose healthy snacks like fruit and nuts, seeds and veggies or whole grain crackers with peanut butter or cheese constructed of low fat milk. These healthy treats will give you energy, nutrition and carry you to the next meal. Diet Recipes Incorporated You are going to have to work at it if you desire to lose weight and get healthy once again. Weight reduction is not something that will simply happen while you sit around following your typical regimen. You are going to have to make substantial modifications to your lifestyle if you wish to both drop weight and keep it off for the rest of your life. It’s always more a good idea to go on a sustainable weight loss program. You should use slow rate technique in burning the excess calories if you are overweight. Taking off securely one need to likewise utilize the very same rate of losing weight if getting a lot of weight took about a year. Through altering slowly in the way that you eat and exercise, consistent and slowly in slimming down will develop into life as an alternative of D word which suggests feared or discouragement. Exercise Program Which You Want Go for 6 parts of entire grains everyday. You should ensure you consider the only thing that is considered as an entire grain. It enhances complicated carbohydrate, high fiber consumptions which lower fat assimilation and elevates your metabolic process and aids packed your carb cravings without consisting of basic carb to the calorie consumption. When I initially strolled through the doors for my first Trim Club meeting in July, 1998, I was depressed over my weight. I ‘d never ever tipped the scales past the 200 mark in my life. However I ‘d become aware of this proven-effective diet program and was ready for anything that provided results. The Coventry Vermont Fat Loss Programs People May Have Confidence In Attempt to get your pals to work and encourage with you. Although it is you that has to lose the weight, supportive people can supply you with the push you require. Reducing weight can be a grueling procedure which is why it is necessary for you to have good friends or household to rely on when you are close to reaching your breaking point. People can help you get through your whole weight loss program.
ESSENTIALAI-STEM
Page:The Works of the Rev. Jonathan Swift, Volume 3.djvu/431 Rh editions. I was assured, that my lord chief justice affirmed, that passage was treason. One of my answerers, I think, decides as favourably; and I am told that paragraph was read very lately during a debate, with a comment in very injurious terms, which perhaps might have been spared. That the legislature should have power to change the succession, whenever the necessities of the kingdom require, is so very useful toward preserving our religion and liberty, that I know not how to recant. The worst of this opinion is, that at first sight it appears to be whiggish; but the distinction is thus: the whigs are for changing the succession when they think fit, although the entire legislature do not consent; I think it ought never to be done but upon great necessity, and that with the sanction of the whole legislature. Do these gentlemen of revolution principles think it impossible, that we should ever have occasion again to change our succession? and if such an accident should fall out, must we have no remedy until the Seven Provinces will give their consent? Suppose that this virulent party among us were as able, as some are willing, to raise a rebellion for reinstating them in power, and would apply themselves to the Dutch, as guarantees of our succession, to assist them with all their force, under pretence that the queen and ministry, a great majority of both houses, and the bulk of the people, were for bringing over France, popery, and the pretender? Their high mightinesses would, as I take it, be sole judges of the controversy, and probably decide it so, well, that in some time we might have the happiness of becoming a province to Holland. I am humbly of opinion, that there are two qualities Rh
WIKI
Laivan Greene Laivan Greene (born February 17, 1992) is an American actress, singer and dancer known for her roles in All of Us and Jump In!. Early life and education Greene was born in Springfield, Massachusetts. She attended Orange Lutheran High School before earning a Bachelor of Science degree from the United States Military Academy in 2015 and a Master of Business Administration from Webster University in 2021. Career Laivan Greene is best known for playing Keisha Ray in the Disney Channel Original Movie, Jump In!. She was also a series regular on the television show All of Us and played the role of "Braces" in Heroes. Laivan was a Field Artillery Captain in the United States Army retiring in 2020. She is currently pursuing her acting and singing career.
WIKI
Page:Shiana - Peadar Ua Laoghaire.djvu/309 Miscellaneous Writings—continued. . An easy Irish phrase book (with English).
WIKI
Woodlawn, Lonoke County, Arkansas Woodlawn is an unincorporated community in Lonoke County, Arkansas, United States. Woodlawn is located on Arkansas Highway 31, 9.5 mi north of Lonoke.
WIKI
Veritas InfoScale™ 7.3.1 Getting Started Guide - Linux Last Published: Product(s): InfoScale & Storage Foundation (7.3.1) Registering Veritas InfoScale product using keyless licensing The keyless licensing method uses product levels to determine the Veritas InfoScale products and functionality that are licensed. You can register a Veritas InfoScale product in the following ways: Using the installer • Run the following command: ./installer The installer automatically registers the license at the time of installation or upgrade. During the installation, you will get the following prompt: 1) Enter a valid license key 2) Enable keyless licensing and complete system licensing later How would you like to license the systems? [1-2,q] (2) Enter 2 for keyless licensing. • You can also register your license keys using the installer menu. Run the following command: ./installer Select the L) License a Product option in the installer menu. Manual Perform the following steps after installation or upgrade: 1. Change your current working directory: # export PATH=$PATH:/opt/VRTSvlic/bin 2. View the possible settings for the product level: # vxkeyless displayall 3. Register the desired product: # vxkeyless set prod_levels where prod_levels is a comma-separated list of keywords. The keywords are the product levels as shown by the output of step 2. Warning: Within 60 days of choosing this option, you must install a valid license key corresponding to the license level entitled, or continue with keyless licensing by managing the systems with Veritas InfoScale Operation Manager. If you fail to comply with the above terms, continuing to use the Veritas InfoScale product is a violation of your End User License Agreement, and results in warning messages. For more information about keyless licensing, see the following URL: http://www.veritas.com/community/blogs/introducing-keyless-feature-enablement-storage-foundation-ha-51 For more information to use keyless licensing and to download the Veritas InfoScale Operation Manager, see the following URL: www.veritas.com/product/storage-management/infoscale-operations-manager
ESSENTIALAI-STEM
Wikipedia:Featured list candidates/Vice-Chancellor of Banaras Hindu University/archive1 * The following is an archived discussion of a featured list nomination. Please do not modify it. Subsequent comments should be made on the article's talk page or in Wikipedia talk:Featured list candidates. No further edits should be made to this page. The list was archived by PresN via FACBot (talk) 00:26, 16 March 2024 (UTC). Vice-Chancellor of Banaras Hindu University * Nominator(s): User4edits (talk) 09:28, 18 November 2023 (UTC) Nominated for GA in the past, returned for FL, improved on the article (generally and as per GA review), and nominating for FL now. Thanks,User4edits (talk) 09:28, 18 November 2023 (UTC) Comments by RunningTiger123 * Images should have alt text (see MOS:ALT) * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * Alt text still needed in infobox. RunningTiger123 (talk) 20:04, 22 November 2023 (UTC) * Done User4edits (talk) 03:34, 23 November 2023 (UTC) * A few places use "vice chancellor" instead of "vice-chancellor" – either one is fine, but it should be used consistently * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * Three images in the infobox is probably too many – suggest removing the flag * as per Template:Infobox official post, see POTUS, PMoUK, PMoI. Thanks, User4edits (talk) 04:59, 21 November 2023 (UTC) * Infoboxes don't have to use every possible parameter. Also, the examples provided have flags and seals that (a) differ significantly and (b) have their own articles. The flag and seal here are similar and aren't particularly notable, so they provide decoration more than anything. That's why I think one should be removed. RunningTiger123 (talk) 20:04, 22 November 2023 (UTC) * Removed seal of Univ. Left flag as flag pertains more to the Office. User4edits (talk) 03:36, 23 November 2023 (UTC) * Dates should not start with a zero, i.e., "7 January 2022" instead of "07 January 2022" (MOS:DATE) * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * "derives his powers" → "derives their powers" to match pronoun usage elsewhere * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * "which shortlists few candidates" – "few" is redundant for a shortlist * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * "in the chronological order" → "in chronological order" * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * Remove column headers from the middle of the table (MOS:COLHEAD) * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * If ref. 16 is the citation supporting all dates, it needs to be referenced after the most recent president took office. * Seems this was accidentally overlooked – still needs to be addressed. (Ref. 56 covers all presidents and could be used in place of the now-outdated ref. 16.) RunningTiger123 (talk) 05:00, 24 November 2023 (UTC) * Done. User4edits (talk) 11:35, 24 November 2023 (UTC) * What is the source for who appointed the vice-chancellors? * source added User4edits (talk) 04:59, 21 November 2023 (UTC) * My mistake, I wasn't clear – what is the source that these individuals were in office at the time to make the appointments? (If there isn't a source naming the presidents/governors-general who appointed the vice-chancellors, it may not be particularly relevant information.) RunningTiger123 (talk) 20:04, 22 November 2023 (UTC) * It is based on corresponding Office held in the duration of the appointment, can be removed (by adding the Governor General information in the text). User4edits (talk) 03:37, 23 November 2023 (UTC) * Unless the appointments have been made for overt partisan reasons, I think removing that column is probably best. RunningTiger123 (talk) 05:00, 24 November 2023 (UTC) * No the appointments are made by the President of India as an institution and not much as personal choice. Done. User4edits (talk) 11:19, 24 November 2023 (UTC) * What is the source for the various remarks? (some have references but not all) * Added User4edits (talk) 04:59, 21 November 2023 (UTC) * Unsourced remarks still present for Sunder Lal, Govind Malaviya, Rao, and Lalji Singh. RunningTiger123 (talk) 20:04, 22 November 2023 (UTC) * Done User4edits (talk) 03:53, 23 November 2023 (UTC) * For Sunder Lal: "Vice-chancellor" should not be capitalized * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * Merge the two cells with the Lord Chelmsford for consistent formatting with other cells * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * For Madan Mohan Malaviya: Remark should not end in a period (not a complete sentence) * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * For Radhakrishnan: "Served as university's Vice-Chancellor for more than 8 years." – redundant to table, why is this relevant? (Also, "Vice-Chancellor" should not be capitalized, and statement should not end in period) * Two long stints, of Madan Mohan Malviya and Radhakrishnan have been highlighted in remarks. Rest, Done User4edits (talk) 04:59, 21 November 2023 (UTC) * For Govind Malaviya, Shrimali, Rao, Lalji Singh: "Alumni" → "Alumnus" (singular) * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * For Dhar, Lalji Singh, Tripathi: Remarks should not end in a period * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * For Jain: "from 3 to 6 after 5 years" → "from third to sixth after five years" * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * Also, I'm confused – is the implication that the drop was Jain's fault? He hasn't been there for five years. * The ranking has been All-India third for five years, in Jain's term it dropped to sixth. The same has been mentioned for DP Singh as well when it ranked 1. User4edits (talk) 04:59, 21 November 2023 (UTC) * I think it would be clearer to say the year it dropped from third to sixth. Or maybe something like "NIRF ranking of the university dropped to sixth after five years in third". RunningTiger123 (talk) 20:04, 22 November 2023 (UTC) * Regarding the year, it is understood that it would pertain to the tenure (as in DP Singh). I think NIRF ranking of the university dropped to sixth after five years in third would appear more confusing to Indian english readers. User4edits (talk) 03:59, 23 November 2023 (UTC) * No need to capitalize "Seat", "Office", or "Vice-Chancellor" in the image captions under Timeline * Done User4edits (talk) 04:59, 21 November 2023 (UTC) * "Madan Mohan Malviya resigns" → "Madan Mohan Malviya resigned" * Done User4edits (talk) 04:59, 21 November 2023 (UTC) I'll provide a source review shortly. RunningTiger123 (talk) 03:22, 21 November 2023 (UTC) Source review: * A lot of links are dead. Either replace them or check a digital archive like the Wayback Machine. WP:IABOT may help with this. * Done User4edits (talk) 13:44, 21 November 2023 (UTC) * Refs. 3 and 4 are insufficient to prove an official abbreviation – Twitter handles are usually abbreviated * Done in the lead with two reliable sources. Subsequently, removed cit. from the infobox. User4edits (talk) 13:44, 21 November 2023 (UTC) * Refs. 11, 32, 36, 42, 46, 47: Use (and note language if not already done) * Done User4edits (talk) 13:44, 21 November 2023 (UTC) * Refs. 18, 21: The Times of India has reliability between no consensus and generally unreliable (WP:TOI). I would suggest using better sources. * I am aware of WP:TOI and had used it only as plain non-conflicting sources. I have removed all except one, which seems hard to replace as TOI is the only major publication doing depth reporting from the city concerned. User4edits (talk) 13:44, 21 November 2023 (UTC) * Ref. 22: Is a stamp archive the best source for this? * Two RS added. User4edits (talk) 13:44, 21 November 2023 (UTC) * Ref. 23 links to another Wikipedia article, violating WP:CIRC * Formatted, another source added. User4edits (talk) 13:44, 21 November 2023 (UTC) * Ref. 24: Xlibris appears to be a vanity press, which might violate WP:SPS. I would suggest looking for a better source. * Another source added. Thanks, User4edits (talk) 13:44, 21 November 2023 (UTC) — RunningTiger123 (talk) 03:59, 21 November 2023 (UTC) * For your attention, please. User4edits (talk) 16:39, 22 November 2023 (UTC) Accessibility review (MOS:DTAB) * Tables need captions, which allow screen reader software to jump straight to named tables without having to read out all of the text before it each time. Visual captions can be added by putting + caption_text as the first line of the table code; if that caption would duplicate a nearby section header, you can make it screen-reader-only by putting + instead. * Tables need column scopes for all column header cells, which in combination with row scopes lets screen reader software accurately determine and read out the headers for each cell of a data table. Column scopes can be added by adding !scope=col to each header cell, e.g. becomes . If the cell spans multiple columns with a colspan, then use !scope=colgroup instead. * Tables need row scopes on the "primary" column for each row, which in combination with column scopes lets screen reader software accurately determine and read out the headers for each cell of a data table. Row scopes can be added by adding !scope=row to each primary cell, e.g. becomes . If the cell spans multiple rows with a rowspan, then use !scope=rowgroup instead. * Please see MOS:DTAB for example table code if this isn't clear. I don't return to these reviews until the nomination is ready to close, so ping me if you have any questions. -- Pres N 18:48, 8 December 2023 (UTC) * First, Done * For the rest, I am not very technically aware, nor can I comprehend MOS:DTAB exactly, so any help would be appreciated. Thanks, * User4edits (talk) 12:10, 10 December 2023 (UTC) * please see the reply, thankyou, User4edits (talk) 12:16, 15 December 2023 (UTC) * Fixed it for you. -- Pres N 17:47, 15 December 2023 (UTC) Support – RunningTiger123 (talk) 04:51, 25 November 2023 (UTC) Image review from Z1720 * File:Sudhir K Jain Potrait.png: needs to be reviewed to ensure that it complies with copyright laws concerning publications from India. See its description page on meta for more information. * File:Sivaswami Aiyar.jpg: needs a United States public domain tag. See its page description for more details * File:Mahamana Madan Mohan Malaviya Portrait.jpg needs a United States public domain tag. Also, what makes the website a reliable source to know that this image is this person? * File:Photograph of Sarvepalli Radhakrishnan presented to First Lady Jacqueline Kennedy in 1962.jpg: the link to the source does not lead to the image. Can this be rectified? * File:Amarnath Jha VC-BHU.jpg: the link and the data on its description page do not indicate which page number the image is from in the source. This should be included. * File:Narendra Deva 1971 stamp of India.jpg: Needs to be reviewed to ensure that the India pd tag is valid. * File:CPRamaswami Aiyar 1939.jpg: url to verify the source is broken. * File:Veni Shankar Jha VC-BHU.jpg: source url should include a page number * File:N.H. BHagwati VC-BHU.jpg: source url should include a page number * File:Triguna Sen 2010 stamp of India.jpg: Needs to be reviewed to ensure that the India pd tag is valid. * File:Professor Amar Chand Joshi.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * File:Kl shrimali.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * File:Moti Lal Dhar.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * File:Professor Hari Narain.jpg: Needs to be reviewed. * File:Iqbal Narain.png: What is the source for this image? Where was it published? * File:Raghunath Prasad RP Rastogi.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * File:Hari Gautam VC-BHU.jpg: Needs to be reviewed. * File:Prof. Y.C. Simhadri VC-BHU.png: Needs to be reviewed. * File:Patcha Ramachandra Rao.jpg: Summary needs more information * File:Dr. Panjab Singh.jpg: Needs to be reviewed * File:Prof. D.P. Singh Director NAAC Vice Chancellor Banaras Hindu University.jpg: Needs to be reviewed. * File:Girish Chandra Tripathi.jpg: Needs to be reviewed. * File:Rakesh Bhatnagar 27th Vice-Chancellor of Banaras Hindu University.png: The listed source is another Wikipedia page, which is not a valid source. This needs to be fixed. * File:Sudhir K Jain Potrait.png: Needs to be reviewed. Please ping when the above are addressed. Z1720 (talk) 20:02, 17 February 2024 (UTC) * File:Sudhir K Jain Potrait.png: needs to be reviewed to ensure that it complies with copyright laws concerning publications from India. See its description page on meta for more information. * Available at provided url: https://static.pib.gov.in/WriteReadData/Gallery/PhotoGallery/2021/Nov/H20211108103573.JPG, Press Information Bureau & President's Secretariat Government of India are covered under given license there. * File:Sivaswami Aiyar.jpg: needs a United States public domain tag. See its page description for more details * PD-US added. * File:Mahamana Madan Mohan Malaviya Portrait.jpg needs a United States public domain tag. Also, what makes the website a reliable source to know that this image is this person? * PD-US addded. The wesbite is the mother institution (which is also founded), please see and Mahamana. * File:Photograph of Sarvepalli Radhakrishnan presented to First Lady Jacqueline Kennedy in 1962.jpg: the link to the source does not lead to the image. Can this be rectified? * Done. New link added to File. * File:Amarnath Jha VC-BHU.jpg: the link and the data on its description page do not indicate which page number the image is from in the source. This should be included. * direct link Pg 768 added to source. * File:Narendra Deva 1971 stamp of India.jpg: Needs to be reviewed to ensure that the India pd tag is valid. * direct link to *.gov.in domain added. GODL-India applies, not PD-IN. * File:CPRamaswami Aiyar 1939.jpg: url to verify the source is broken. * Fixed with [Archived link] * File:Veni Shankar Jha VC-BHU.jpg: source url should include a page number * direct link pg 840 added. * File:N.H. BHagwati VC-BHU.jpg: source url should include a page number * direct link, pg 848/pg 979 added. * File:Triguna Sen 2010 stamp of India.jpg: Needs to be reviewed to ensure that the India pd tag is valid. * direct link *.gov.in added, GODL-India applies. * File:Professor Amar Chand Joshi.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * direct link added, person born in 1908, died in 1971, photo must be of early 30s-40s. The publisher institution is of Dept. Science & Technology, Govt. of India, so GODL-India applies too. * File:Kl shrimali.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * Source is deprecated. Person's photo is on Parliament website's profile where he entered 1952 and left 1962, Therefore, PD applies. PD-US added. * File:Moti Lal Dhar.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * Sourced from [www.insaindia.res.in] where person was elected in 1960, born 1914, photo looks like someone in 40-50s. PD-India applies. Also, since The publisher institution is of Dept. Science & Technology, Govt. of India, so GODL-India applies too. PD-US added. * File:Professor Hari Narain.jpg: Needs to be reviewed. * File present at source link. he publisher institution is of Dept. Science & Technology, Govt. of India, so GODL-India applies. * File:Iqbal Narain.png: What is the source for this image? Where was it published? * Direct link added. Person born in 1930, Photo appears of his 30s. PD-India applies. * File:Raghunath Prasad RP Rastogi.jpg: Needs a pd US tag and to be reviewed to ensure the India pd tag is valid. * The publisher institution is of Dept. Science & Technology, Govt. of India, so GODL-India applies too. PD-US added. * File:Hari Gautam VC-BHU.jpg: Needs to be reviewed. * Direct link added. GODL-India applies. * File:Prof. Y.C. Simhadri VC-BHU.png: Needs to be reviewed. * Direct link added. GODL-India applies. * File:Patcha Ramachandra Rao.jpg: Summary needs more information * Added as per available details on File. * File:Dr. Panjab Singh.jpg: Needs to be reviewed * Present at *.gov.in, GODL-India applies. * File:Prof. D.P. Singh Director NAAC Vice Chancellor Banaras Hindu University.jpg: Needs to be reviewed. * Present at *.gov.in, GODL-India applies. * File:Girish Chandra Tripathi.jpg: Needs to be reviewed. * Present at *.gov.in, GODL-India applies. * File:Rakesh Bhatnagar 27th Vice-Chancellor of Banaras Hindu University.png: The listed source is another Wikipedia page, which is not a valid source. This needs to be fixed. * Fixed. * File:Sudhir K Jain Potrait.png: Needs to be reviewed. * Same photo as 1st in this list. * @Z1720 for your kind attention, please. Thanks, User4edits (talk) 05:39, 18 February 2024 (UTC) The following photos have a GODL-India banner, but have not been marked as reviewed to ensure that they are compliant with this. This link has information on how to mark these images as reviewed. If you did not originally add the GODL-India banner, I think it is appropriate for you to mark them as reviewed. * File:Narendra Deva 1971 stamp of India.jpg * File:Triguna Sen 2010 stamp of India.jpg * File:Professor Amar Chand Joshi.jpg * File:Kl shrimali.jpg * File:Moti Lal Dhar.jpg * File:Professor Hari Narain.jpg * File:Raghunath Prasad RP Rastogi.jpg * File:Hari Gautam VC-BHU.jpg * File:Prof. Y.C. Simhadri VC-BHU.png * File:Dr. Panjab Singh.jpg * File:Prof. D.P. Singh Director NAAC Vice Chancellor Banaras Hindu University.jpg * File:Girish Chandra Tripathi.jpg * File:Sudhir K Jain Potrait.png Also, in the chart, some of the images are sized with px. MOS:IMGSIZE recommends using upright instead, so I think these images should be changed to that designation. Z1720 (talk) 16:04, 18 February 2024 (UTC) * Most (except a few) of the images have been uploaded by me only, so it would not be possible for me to review them. If you or anyone else wishes to review them, I would be glad to help in any query or concern. * I have used px to maintain uniformity in size as some images are tiny and some super big, so if we use upright, we will have to either calculate for each of them and reach the uniform size, or they would appear in a much less orderly manner. I think it would be COMMONSENSE to use px here. * Thanks for the prompt reply @Z1720. User4edits (talk) 17:01, 18 February 2024 (UTC) * I am less familiar with FLC criteria concerning px vs upright. Testing out the code, I was roughly able to get the images to similar sizes with upright, though would have to experiment a little more to get it looking more uniform. Maybe one of the directors can determine if px is OK in this circumstance. Z1720 (talk) 17:51, 19 February 2024 (UTC) * It's fine when they're in a table like here; you don't want to do it for standalone images because people have their own default sizes set that it would override, but in a table you're able to set a set width/desired height for a column and then make the images fit. -- Pres N 18:40, 19 February 2024 (UTC) Considering the above, I'm willing to declare support based on image review alone. Z1720 (talk) 01:59, 25 February 2024 (UTC) Comments from Airship * General * There are a significant number of citations which need to be marked with the |url-status=dead parameter. * What is the purpose of the citations in the "Remarks" column where there are no remarks? All the ones I have looked at seem to be completely unnecessary. * I believe it was not so earlier, and was added to provide a reference for each office holder in previous comments. Nonetheless, they are standalone references rather than a general list. User4edits (talk) 05:07, 1 March 2024 (UTC) * Per MOS:NUMERAL, numbers less than ten should be spelt out in letters. * Infobox * In general, too many parameters are unnecessarily used. * Why is the BYU flag specified to "fly atop vice-chancellor's car and office"? Can this be cited? I suspect not, so why is the caption not simply "Banaras Hindu University flag"? * I do not think we can find references specifically citing that. However, it is common knowledge backed by images. User4edits (talk) 05:04, 1 March 2024 (UTC) * The citations for the "style" parameter do not support the current entry. A proper citation would state "XYZ is the style of address used by the vice-chancellor", not "[assorted collection of the use of a common abbreviation]". * The "Type" parameter is completely unnecessary. No, readers are not that unintelligent. * Vice-chancellor is not a universal position, it has been added to help readers from a different background. User4edits (talk) 05:04, 1 March 2024 (UTC) * The "status" parameter means "does it still exist?", not "what is it?". * I do not find this on template page, so a reference citing this would be helpful. User4edits (talk) 05:04, 1 March 2024 (UTC) * One of the two citations for the acronym VC-BHU instead call it BHU V-C. Why has the former been chosen ahead of the latter? * The former is used officially on X by the organisation, and in other sources as well. User4edits (talk) 05:04, 1 March 2024 (UTC) * As the VC is only ex-officio a member (strictly speaking the chairperson) of the Executive Council, Academic Council, and Finance Committee, they should not be present in the "Member of" parameter. * Ex-officio means by the virtue of the position they are holding, not individually. I do not understand "only" here. (For example, president is ex-officio supreme commander of armed forces). Chairperson are anyway a member first (of any body which has members). Anyway, as per Chapter II BHU Act Article 14, 17, and 21, the VC is a member, and chairperson vide Chapter I of the same Act Article 7C (2) User4edits (talk) 05:04, 1 March 2024 (UTC) * The "Reports to" paramter is not cited in the infobox or body. * This is derived from Visitor-Vice Chancellor relationship set in Article 5 BHU Act and User4edits (talk) 05:04, 1 March 2024 (UTC) User4edits (talk) 05:04, 1 March 2024 (UTC) * The anchor for the Central Office in the Seat parameter is non-functioning. * The "(Visitor of the university)" is not necessary in the "Appointer" parameter" * That is to clarify that the President of India appoints in capacity of Visitor of Univ, and not Head of State. User4edits (talk) 05:04, 1 March 2024 (UTC) * For the term length parameter: a) see the MOS:NUMERAL point above b) "Second term of fresh appointment possible." is not intelligible English. * User4edits (talk) * The "Precursor" parameter does not mean what you think it means (this is also apparent in the second paragraph of prose). * User4edits (talk) 05:04, 1 March 2024 (UTC) * The "Deputy" parameter should only be used when the deputy position is notable enough to have an article of its own. * User4edits (talk) 05:04, 1 March 2024 (UTC) With that many issues with the infobox alone immediately apparent, I am going to oppose—I haven't even checked the prose or the list itself. Ping me if you are sure these issues and others have been fixed; I do not have the time to enter into a cumbersome and tiring WP:FIXLOOP. &#126;~ AirshipJungleman29 (talk) 16:59, 29 February 2024 (UTC) * @AirshipJungleman29 you may want to see my replies above, Thanks, User4edits (talk) 13:22, 4 March 2024 (UTC) * Quick ping to see if you intend on returning to this nomination or not. -- Pres N 14:15, 13 March 2024 (UTC) * @PresN Any update? Thanks, Please feel free to ping/mention -- User4edits (T) 03:44, 15 March 2024 (UTC) This nomination has been open for four months; in that time it's gotten one support and one oppose. While the opposer isn't returning, I took a glance at the list itself, and can immediately see that the lede has a bunch of 1-sentence paragraphs; odd phrasing like "preceding the vice-chancellor"; sorting the table by name sorts by first name, not last; the "remarks" seem arbitrary, and also don't give context (why do some have the length of tenure but don't say why the person got more than 2 terms? What does "NIRF ranking of the university dropped from third to sixth after five years" even mean?). This is just way too many issues to be seeing in a quick glance-over after 4 months, especially after AirshipJungleman29 said that you should check the prose as well as the infobox and no edits were made there. I'm going to go ahead and close this nomination; feel free to renominate once the issues are fixed. I recommend a copyedit as well. -- Pres N 21:18, 15 March 2024 (UTC)
WIKI
Molecular Diagnostic American Journal of Pharmacogenomics , Volume 1, Issue 2, pp 111-117 First online: Prenatal Screening of Single-Gene Disorders from Maternal Blood • Akihiko SekizawaAffiliated withDepartment of Obstetrics and Gynecology, Showa University School of Medicine • , Hiroshi SaitoAffiliated withDepartment of Obstetrics and Gynecology, Showa University School of Medicine Email author  Rent the article at a discount Rent now * Final gross prices may vary according to local VAT. Get Access Abstract Fetal cells and cell-free fetal DNA can be found circulating in maternal blood. Fetal cells recovered from maternal blood provide the only source of pure fetal DNA for noninvasive prenatal DNA diagnosis. Fetal nucleated erythrocytes (NRBCs) are considered the most suitable maternally-circulating fetal cells for this purpose, because they are not commonly found in the peripheral blood of healthy adults and are most abundant in the fetus during early gestation. Because fetal cells in maternal blood are extremely rare, a definitive separation method has not yet been established. Fetal NRBCs can be enriched from maternal blood via fluorescence- or magnetic-activated cell sorting, density gradients, immuno-magnetic beads or micromanipulation. Fetal cells are identified by Giemsa staining, hybridization with Y-chromosome specific probes, PCR-detection of a specific paternal allele, or immunostaining for fetal cell antigens. Amplification of fetal DNA sequences by primer extension preamplification and PCR has allowed prenatal screening for Duchenne muscular dystrophy and the fetal RhD blood type. Sequence-specific hybridization has been used to detect sickle cell anemia and β-thalassemia prenatally in heterozygous carriers of these disorders. The use of cell-free fetal DNA in maternal plasma for the diagnosis of single-gene disorders is limited to disorders caused by a paternally inherited gene or a mutation that can be distinguished from the maternally inherited counterpart. At present, fetal gender can be determined from maternal plasma. When a pregnant woman is a heterzygous carrier of an X-linked disorder, the determination of fetal gender is clinically very informative for first-step screening to avoid invasive amniocentesis. The non-invasive prenatal diagnosis of genetic disorders should be applied to pregnant women with a definite risk for a specific single-gene disorder.
ESSENTIALAI-STEM
A 1D cellular automaton that moves particles until regular spatial placement Luidnel Maignan 1, * Frédéric Gruau 1, 2 * Auteur correspondant 1 ALCHEMY - Architectures, Languages and Compilers to Harness the End of Moore Years LRI - Laboratoire de Recherche en Informatique, UP11 - Université Paris-Sud - Paris 11, CNRS - Centre National de la Recherche Scientifique : UMR8623, Inria Saclay - Ile de France 2 HEP LIRMM - Laboratoire d'Informatique de Robotique et de Microélectronique de Montpellier, LRI - Laboratoire de Recherche en Informatique Abstract : We consider a finite cellular automaton with particles where each site can host at most one particle. Starting from an arbitrary initial configuration, our goal is to move the particles between neighbor sites until the distance to the nearest particle is minimized globally. Such a configuration corresponds in fact to a regular placement. This problem is a cellular automata equivalent of load-balancing in parallel computing, where each task is a particle and each processor a connected set of sites. We present a cellular automata rule that solves this problem in the 1D case, and is convergent, i.e. once the regular placement is achieved, the configuration does not change anymore. The rule is inspired from the Lloyd algorithm, computing a centroidal Voronoi tessellation. The dynamic of the rule is described at a higher level, using self-explanatory space-time diagrams. They exhibit signals acting as quantity of movement carrying the energy of system. Each signal bounces or pass through particles, causing their movement, until it eventually reaches the border and vanishes. When signals have all vanished, particles are regularly placed. Type de document : Article dans une revue Parallel Processing Letters, World Scientific Publishing, 2009, 19 (2), pp.315--331 Liste complète des métadonnées https://hal.inria.fr/inria-00541142 Contributeur : Frederic Gruau <> Soumis le : lundi 29 novembre 2010 - 22:56:57 Dernière modification le : jeudi 5 avril 2018 - 12:30:23 Identifiants • HAL Id : inria-00541142, version 1 Collections Citation Luidnel Maignan, Frédéric Gruau. A 1D cellular automaton that moves particles until regular spatial placement. Parallel Processing Letters, World Scientific Publishing, 2009, 19 (2), pp.315--331. 〈inria-00541142〉 Partager Métriques Consultations de la notice 178
ESSENTIALAI-STEM
Argentina agro-export chamber reports 17% jump in 2019 member sales BUENOS AIRES, Dec 30 (Reuters) - Argentine agro-industrial export chamber CIARA-CEC said on Monday its members exported $23.719 billion dollars of grains in 2019, up 17% over the previous year despite months of economic crisis in the South American nation. The chamber, whose members include global agro-giants such as Cargill Inc and Bunge Ltd, accounts for about 45% of Argentina`s grain exports annually. "This year's sales are among the highest of the past 17 years, and the highest taking into account the low international prices currently," CIARA-CEC said in a statement. Argentina, a top global supplier of soybeans, corn and soymeal livestock feed, was rocked by recession, rising inflation and a plummeting peso in 2019. The chamber attributed the resiliency in exports to a large and successful harvest, and to an increase in sales by producers in November and December. December exports hit $2.223 billion, the chamber said, the highest since 2002. CIARA-CEC warned in a statement that stability would be necessary to keep up the pace. "To achieve normal sales we will need a stable exchange rate and rules for trade," CIARA-CEC said. The new government of Peronist Alberto Fernandez, inaugurated in early December, hiked taxes on soybean exports to 33% from about 25%, while international shipments of corn and wheat will be taxed at 15%, up from about 7% previously. Argentine Agriculture Minister Luis Basterra has nonetheless started talking with farmers about the possibility of applying lower taxes to growers located farther from ports. Grain exports are a key driver of the Argentine economy. (Reporting by Hernan Nessi; Writing by Dave Sherwood; Editing by Richard Chang)
NEWS-MULTISOURCE
Ashley Bateman Ashley Bateman (born 2 November 1990) is a Welsh international rugby league footballer and coach who played as a and is the current head coach for West Wales Raiders in the Betfred League 1. He was previously playing for the Crusaders RL in the Super League. He previously played for feeder side Crusaders Colts in the National Conference before signing professionally in 2008. He made an appearance for the Crusaders (then Celtic Crusaders) in a 35–22 defeat by the Castleford Tigers in round 27 of 2009's Super League XIV. He has also represented his native Wales at international level. He made his international début in an 88–8 win over Serbia in the European Cup. He since played against Ireland, in a 42–12 win, and in the 28–16 victory against Scotland in the final, each time playing on the and scoring in every game. In October and November 2014, Ashley played international rugby league for the first time in 5-years. He returned after being selected to play in the 2014 European Cup.
WIKI
User:TwilligToves/Sandbox John Walsh (1665 or 1666 – 13 March 1736) was a British music publisher and instrument maker. Life Not much is known about Walsh's early life. Scholars surmise from his name that he may have been of Irish ancestry. Timeline * Around 1690 - Established in London (Grove) * 24 June 1692 - "Warrant to swear and admit John Walsh musicall instrument maker in ordinary to his Majesty in place of John Shaw surrendered" (Majesty being William III). Walsh adopted Shaw's trade sign of "The Goulden Harp and Hoboy neere the Maypole in the Strand", but his actual shop was located on Catherine Street. (Smith, "John Walsh, Music Publisher: The First Twenty-five Years", 1) * 28 January 1692 - married Mary Allen at St James Duke's Place, London; had fifteen children - three survived infancy. First child baptized at St Mary-le-Strand on 26 January 1693. His son John Walsh (1709–1766) (John Walsh the younger), born in London on 23 December 1709, inherited his business. (Zon)
WIKI
Lois & Clark: A Superman Novel Lois & Clark: A Superman Novel is a superhero fiction novel by American science fiction and fantasy writer C. J. Cherryh. It is based on the television series Lois & Clark: The New Adventures of Superman and is about the romance between Superman universe characters Lois Lane and Clark Kent. The book was first published in hardback in August 1996 by Prima Publishing in the United States, and in October 1996 by Boxtree Ltd in the United Kingdom. Paperback editions of the novel were published in the US in August 1997 by Prima, and in the UK (as Lois & Clark: The New Adventures of Superman) in October 1997 by Boxtree. The book was translated into German and published in Germany in 1997 as Lois & Clark: Der Superman Roman by Heyne Verlag, an imprint of Random House publishers. Plot summary Lois Lane and Clark Kent's engagement in Metropolis is interrupted when Clark/Superman has to fly to the Caucasus in Eurasia to rescue people downstream from a burst dam. While Clark is away, a hotel in Metropolis collapses, and Lois becomes involved in rescuing some children. When Clark returns, he and Lois discover that their arch-rival Lex Luthor may be responsible for bringing down the hotel and other buildings the city using water to undermine their foundations. Reception In a review of Lois & Clark in the New Straits Times, Martin Spice criticised the book's lacklustre plot and elements of it that are not believable, for example buildings in Metropolis that have their foundations washed away by water. He was also critical of the book's publishers and their copyediting, and in particular the cover's public display of affection between Lois and Clark, which, he felt is not in keeping with Superman's image. He asked, "whatever did [Superman] do to deserve a cover like this?" Spice called Lois & Clark "a hack volume" that was "probably produced in a hurry". He believed that "Cherryh's heart was [not] quite in this one", but added that she does "produce a hack novel worthy of the name". Lois & Clark was also reviewed by Neil Jones in July 1998 issue of the British fantasy and science fiction magazine, Interzone, and by Jill M. Smith in RT Book Reviews. Smith wrote that "Cherryh uses her vast talents to add to the adventures of two timeless, beloved characters".
WIKI
Mike Everitt Mike or Michael Everitt may refer to: * Michael Everitt (brn 1968), British Anglican priest * Mike Everitt (baseball) (born 1964), Major League Baseball umpire * Mike Everitt (footballer) (born 1941), association football player and coach
WIKI
Handshake A handshake is a globally widespread, brief greeting or parting tradition in which two people grasp one of each other's hands, and in most cases, it is accompanied by a brief up-and-down movement of the grasped hands. Customs surrounding handshakes are specific to cultures. Different cultures may be more or less likely to shake hands, or there may be different customs about how or when to shake hands. History The handshake may have originated in prehistory as a demonstration of peaceful intent, since it shows that the hand holds no weapon. Another possibility is that it originated as a symbolic gesture of mutual commitment to an oath or promise: two hands clasping each other represents the sealing of a bond. One of the earliest known depictions of a handshake is an ancient Assyrian relief of the 9th century BC depicting the Assyrian king Shalmaneser III shaking the hand of the Babylonian king Marduk-zakir-shumi I to seal an alliance. Archaeological ruins and ancient texts show that handshaking was practiced in ancient Greece (where it was called dexiosis) as early as the 5th century BC. For example, a depiction of two soldiers shaking hands can be found on part of a 5th-century BC funerary stele that is on display in Berlin's Pergamon Museum (stele SK1708) and on other funerary steles, such as one from the 4th century BC that depicts Thraseas and his wife Euandria shaking hands. Depictions of handshakes also appear in Archaic Greek, Etruscan and Roman funerary and non-funerary art. Muslim scholars have written that the custom of handshaking was introduced to them by the people of Yemen. Modern customs There are various customs surrounding handshakes, both generally and specific to certain cultures: The handshake is commonly done upon meeting, greeting, parting, offering congratulations, expressing gratitude, or as a public sign of completing a business or diplomatic agreement. In sports, it is also done as a sign of good sportsmanship. Its purpose is to convey trust, respect, balance, and equality. If it is done to form an agreement, the agreement is not official until the hands are parted. Unless health issues or local customs dictate otherwise, a handshake is made usually with bare hands. It depends on the situation. By geographic location * In Anglophone countries, handshaking is common in business situations. In casual non-business situations, men are more likely to shake hands than women. * In the United States and the United Kingdom a traditional handshake is firm, executed with the right hand, with good posture and eye contact. A handshake where both parties are stood up is deemed as good etiquette. * Austrians shake hands when meeting, often including with children. * In the Netherlands and Belgium, handshakes are done more often, especially on meeting. * In Denmark, the final step in acquiring Danish citizenship is a ceremony at which a handshake with a local official is specifically required (gloves may not be worn). * In Norway, where a firm handshake is preferred, people most often shake hands when agreeing on deals, in private and business relations. * In Russia, a handshake is performed between men and rarely performed by women. * In Switzerland, it may be expected to shake the women's hands first. * In Israel, handshakes are standard among Jews (other than ultra-religious Jews, between genders), but not among Arabs. * In some countries such as Turkey or the Arabic-speaking Middle East, handshakes are not as firm as in the West. Consequently, a grip that is too firm is rude. * Moroccans will give a soft handshake to someone of the same gender, along with one kiss on each cheek (lips don't touch the cheek unless they are family). The handshake may be followed by lightly touching one's heart with one's right hand. * In Armenia, handshakes are the most common greetings between men, optionally followed by a kiss on the cheek if the two parties have a close relationship.  Traditionally, a woman needs to wait for the man to present his hand for the handshake. Women usually greet each other with hugs and a kiss on the cheek. * In China, age is considered important in handshake etiquette, and older people should be greeted with a handshake before others. A weak handshake is also preferred, but people shaking hands often hold on to each other's hands for an extended period after the initial handshake. * In Japan, there is not a tradition of shaking hands and it is preferred to formally bow to each other (with hands open by their sides). Japanese people may greet foreigners with a handshake; foreigners are advised to let Japanese people initiate any handshakes, and a weak handshake is preferred. A curious exception are so-called handshake events. * In Korea, a senior person will initiate a handshake, which is preferred to be weak. It is a sign of respect to grasp the right arm with the left hand when shaking hands. It is considered disrespectful to put the free hand in one's pocket while shaking hands. Bowing is the preferred and conventional way of greeting a person in Korea. * In Thailand, handshaking is only done if the traditional wai is not offered. When a person offers a wai, placing their palms together at chest level and bowing, this is then returned, with men saying “Sawadee-krap” and women saying “Sawadee-kah” (both mean “Hello"). * In India and several nearby countries, the respectful Namaste gesture, sometimes combined with a slight bow, is traditionally used in place of handshakes. Handshakes are preferred in business and other formal settings. * In some areas of Africa, handshakes are continually held to show that the conversation is between the two talking. If they are not shaking hands, others are permitted to enter the conversation. * Masai men in Africa greet one another by a subtle touch of palms of their hands for a very brief moment of time. * In Liberia, the snap handshake is customary in which the two shakers snap their fingers against each other at the conclusion of the handshake. * In Ethiopia, it is considered rude to use the left hand during a handshake. While greeting the elderly or a person in authority, it is also customary to accompany the handshake with a bow and the left hand supporting the right. * In Indonesia, it is considered rude to use one's left hand as it is a hand designated for unclean duties. A medium to soft handshake grip is sufficient, since gripping too hard could be considered rude or an act of aggression. Other * Related to a handshake but more casual, some people prefer a fist bump. Typically the fist bump is done with a clenched hand. Only the knuckles of the hand are typically touched to the knuckles of the other person's hand. Unlike the formality of a handshake, the fist bump is typically not used to seal a business deal or in formal business settings. * The hand hug is a type of handshake popular with politicians, as it can present them as being warm, friendly, trustworthy and honest. This type of handshake involves covering the clenched hands with the remaining free hand, creating a sort of "cocoon". * In the sport of fencing, after the Olga Kharlan handshaking incident in 2023, the International Fencing Federation changed its rules so that the previously required handshakes between fencers at the end of a bout would become optional, with a distance greeting permitted instead. Germ spreading Handshakes are known to spread a number of microbial pathogens. Certain diseases such as scabies are known to spread most frequently through direct skin-to-skin contact. A medical study has found that fist bumps and high fives spread fewer germs than handshakes. During the 2009 H1N1 pandemic, the dean of medicine at the University of Calgary, Tomas Feasby, suggested that fist bumps may be a "nice replacement of the handshake" in an effort to prevent transmission of the virus. Following a 2010 study that showed that only about 40% of doctors and other health care providers complied with hand hygiene rules in hospitals, Mark Sklansky, a doctor at UCLA hospital, decided to test "a handshake-free zone" as a method for limiting the spread of germs and reducing the transmission of disease. UCLA did not ban the handshakes outright, but rather suggested other options such as fist bumping, smiling, bowing, waving, and non-contact Namaste gestures. Other sources suggest raised brows, wai bow, two claps, hand over heart, sign language wave, or the shaka sign. During the COVID-19 pandemic, several countries and organisations adopted policies encouraging people to use alternative modes of greeting instead of a handshake. Suggested alternatives included the elbow bump, the fist bump, foot tapping or non-contact actions for social distancing purposes, such as fist-and-palm or namaste gesture. Footshaking was also suggested. Chemosignaling It has been discovered as a part of research at Israel's Weizmann Institute that human handshakes serve as a means of transferring social chemical signals between the shakers. It appears that there is a tendency to bring the shaken hands to the vicinity of the nose and smell them. They may serve an evolutionary need to learn about the person whose hand was shaken, replacing a more overt sniffing behavior, as is common among animals and in certain human cultures (such as Tuvalu, Greenland or rural Mongolia, where a quick sniff is part of the traditional greeting ritual). World records In 1963, Lance Dowson shook 12,500 individuals' hands in $10 1/2$ hours, in Wrexham, N. Wales. Atlantic City, New Jersey Mayor Joseph Lazarow was recognized by the Guinness Book of World Records for a July 1977 publicity stunt, in which the mayor shook more than 11,000 hands in a single day, breaking the record previously held by President Theodore Roosevelt, who had set the record with 8,510 handshakes at a White House reception on January 1, 1907. On 27 May 2008, Kevin Whittaker and Cory Jens broke the Guinness World Record for the World's Longest Handshake (single hand) in San Francisco, California, by shaking hands for 9 hours and 30 minutes, besting the previous record of 9 hours and 19 minutes set in 2006. This record stood briefly until 16 August 2008 when Kirk Williamson and Richard McCulley were recognized by Guinness World Records for the longest time two people shook hands uninterruptedly for 10 hours at Aloha Stadium in Aiea, Hawaii. On 21 September 2009, Jack Tsonis and Lindsay Morrison then broke that record by shaking hands for 12 hours, 34 minutes and 56 seconds. Their record was broken less than a month later in Claremont, California, when John-Clark Levin and George Posner shook hands for 15 hours, 15 minutes, and 15 seconds. The next month, on 21 November, Matthew Rosen and Joe Ackerman surpassed this feat, with a new world record time of 15 hours, 30 minutes and 45 seconds. At 8 p.m. EST on Friday 14 January 2011 a new attempt at the longest hand-shake commenced in New York City's Times Square and the existing record was broken by semi-professional world record-breaker Alastair Galpin. On 29 January 2020, a new world record for the longest handshaking relay was set by approximately 1,817 people in Abu Dhabi, United Arab Emirates, at Umm Al Emarat Park in an event organized by the Abu Dhabi Police to celebrate the 1 year anniversary of the signing of the Document on Human Fraternity for World Peace and Living Together in the city.
WIKI
Duke of York (1780 ship) Duke of York was a fir-built ship of 500 tons (bm), built in 1780 at Archangel. In 1787 her owner was "Hitchie", her master "Jn Wolff", and her trade London—South Seas, indicating that she was a whaler. More accurately, her master was John Wolfe, Woolf, or Wolf, and her owner Richard Cadman Etches. She sailed on 21 April 1787 for the South Seas. Etches had received a license from the South Sea Company to sail around Cape Horn into the Pacific. He dispatched her to reinforce the settlement at New Years Harbour (now Puerto Ano Nuevo) on Staten Island (now Isla de los Estados), off Tierra del Fuego. Seal hunters established a factory there in 1786, which was also well-located for vessels rounding Cape Horn to refresh and replenish their water. On 4 June, Duke of York sailed from St Jago, "all well". By August, she was at the Falkland Islands, "all well". On 11 September, shortly after she arrived at New Years Harbour, Duke of York was lost. Her crew, however, was saved. The loss of Duke of York ended the factory. The people took to their boats and left the island.
WIKI
Wikipedia:Peer review/Herbert Vivian/archive1 Herbert Vivian I have been working on the Herbert Vivian article for some time. A DYK was created from it in December 2018, and it became a Good Article in October 2019 after a very helpful and thorough review by User:Amitchell125. I have further expanded the article since then, and I believe it is now a comprehensive account of this mostly forgotten English writer and journalist. I would like to nominate the article for Featured Article status in the future and I am looking for suggestions for improvements to make it a viable candidate. Many thanks, The Mirror Cracked (talk) 05:00, 14 November 2019 (UTC)
WIKI
ISTQB-Advanced Level Test Automation Engineer Quiz Questions and Answers You have been automating a legacy application that provides critical functionality to the business. An update to the legacy system has been approved and the developers plan to use third party software to provide the new functionality. The third party software has already been tested but the interface between the existing software and the new software is problematic. Your existing test automation needs to be extended to test the interface between these two products. How should you approach implementing the best automation solution? Answer : • Investigate if automation is possible via the APIs used to interface with the third party software You are implementing a TAS from a TAA. The SUT communicates with another system, which is stable and available for use during testing. The test interface will be through the GUI. Given this information what component of the TAA can you exclude from the TAS? Answer : • The simulator within the test adaption layer Which of the following is considered to be an advantage of test automation over manual testing? Answer : • The time required for test execution is shortened and the coverage is increased Which of the following is an important technical success factor for any significant automation project? Answer : • The TAA must be designed for learnability Your team has been working on creating a strong and maintainable TAS. The TAS is expected to be used for at least five years, so good maintainability is critical. The team has done the following 1. Created an impact analysis process for all proposed changes to the system 2. Documented the usage for the TAS 3. Documented the third party dependencies, including contacts within the third party organization 4. Verified that the TAS runs in an environment separate from the SUT environment Given this information, what is a major factor of maintainability that has not been addressed? Answer : • The TAS must be modular, so key components can be replaced as needed What is a stated goal for automated regression test coverage to ascertain the overall quality of the SUT? Answer : • Broad and deep Who should provide feedback to the TAE when implementing new features to an existing TAS? Answer : • Test Designers with domain expertise Which of the following is the best reason for automating the confirmation testing of a defect? Answer : • To ensure that the fix works and continues to work You are having problems with the reliability of the automated test environment and setup. You have decided to create a test suite you can execute to verify the environment before you run the actual test scripts. Which of the following would provide the best quick test of the environment? Answer : • Run a set of tests containing both passes and fails and verify that the results are consistent You are testing a system that is updated by monthly service packs. You are testing multiple versions of the SUT simultaneously. Your TAS is complex and you need to ensure it remains consistent across the different SUT environments. How will you ensure that the same version of the TAS is used to test each SUT? Answer : • Install the TAS into the SUT environments from a central repository
ESSENTIALAI-STEM
Page:Purgatory00scho.djvu/287 It was a struggle between devotion and human prudence. Devotion gained the day. " After all," she said to herself, " the good God knows it is for Him, and He will not forsake me! " Entering the sacristy, she gave her offering for a Mass, at which she assisted with her usual fervour. A few moments after, she continued on her way, full of anxiety as may be readily understood. Being absolutely destitute of means, what was she to do if she failed to obtain employment? She was still occupied with these thoughts when a pale young man of a slight figure and distinguished appearance approached her and said, "Are you in search of a situation?" "Yes, sir." "Well, go to a certain street and number, to the house of Madame --- . I think you will suit her, and that you will be satisfied there." Having spoken these words, he disappeared in the passing crowd, without waiting to receive the poor girl's thanks. She found the street, recognised the number, and ascended to the apartments. A servant came out carrying a package under her arm and uttering words of complaint and anger. "Is Madame there?" asked the newcomer. "She may or she may not be," replied the other. "What does it matter to me? Madame will open the door herself if it suits her; I will trouble myself no longer about it. Adieu!" And she descended the steps. Our poor girl rang the bell with trembling hand, and a sweet voice bade her enter. She found herself in the presence of an old lady of venerable appearance, who encouraged her to make known her wishes. " Madame," said the servant, " I learned this morning that you are in need of a servant, and I came to offer my services. I was assured that you would receive me kindly." " Oh, but, my dear child, what you tell me is very extraordinary. This morning I had no need of one; it is only within the last half-hour that I have discharged an insolent
WIKI
Die with your boots on To "Die with your boots on" is an idiom referring to dying while fighting or to die while actively occupied/employed/working or in the middle of some action. A person who dies with their boots on keeps working to the end, as in "He'll never quit—he'll die with his boots on." The implication here is that they die while living their life as usual, and not of old age and being bedridden with illness, infirmity, etc. Origin The "Die with your boots on" idiom originates from frontier towns in the 19th-century American West. Some sources (e.g., American Heritage Dictionary of Idioms) say that the phrase probably originally alluded to soldiers who died on active duty. The Oxford Dictionary of Idioms says: "Die with your boots on was apparently first used in the late 19th century of deaths of cowboys and others in the American West who were killed in gun battles or hanged." Cassell's Dictionary of Slang adds that from the late 17th century until the early 19th century the expression meant "to be hanged", and from the mid 17th century until the mid 19th century "Die in one's shoes" meant the same thing. In popular culture * They Died With Their Boots On, a 1941 Western film about General George Armstrong Custer * "Die with Your Boots On," a song from Iron Maiden's 1983 album Piece of Mind * "Dying with Your Boots On," a song from Scarface's 1993 album The World Is Yours * "Die with Your Boots On," a song by Toby Keith * "Play a Train Song," a song from Robert Earl Keen's 2011 album Ready For Confetti * Referenced in the lyrics to Genesis' song "Ballad of Big," from their 1978 album ...And Then There Were Three.... ("...and he died like all good cowboys, with his boots on, next to his men.")
WIKI
I'll Follow You (Up to Our Cloud) "I'll Follow You (Up to Our Cloud)" is a song by George Jones. It was written by David Turner. History This was Jones' thirty-second and final single release on Musicor before joining his wife Tammy Wynette at Epic Records. Lyrics The song is sung from the perspective of an elderly man who cannot bear the thought of leaving his wife alone after he dies and promises to hold on until it's her time; only then will he "let go" and follow her "up to our cloud." Reception The song failed to make the Top 10, peaking at #13. Pappy Daily The single marked the end of Jones' relationship with producer and manager Pappy Daily, who had guided his career from the beginning. The parting was acrimonious; in Bob Allen's 1983 book George Jones: The Life and Times of a Honky Tonk Legend, the author quotes Jones in interviews complaining about the uneven quality of his recordings and raising questions about the royalty rights that he alleged he had hastily relinquished in the document signing that had accompanied each of his record-label changes. In 1994, record producer Huey Meaux, who had known Jones from the 1940s, defended Daily, insisting to Nick Tosches in the Texas Monthly, "He was George’s career. He was George’s daddy. He was George’s everything. And George gave him a lot of goddam hell, man. Getting drunk, getting in trouble, getting in fights. Pappy was the only one that could sit down and talk to George. Pappy got George back together so many times it’s unreal."
WIKI
2020 United States House of Representatives elections in Virginia The 2020 United States House of Representatives elections in Virginia was held on November 3, 2020, to elect the 11 U.S. representatives from the state of Virginia, one from each of the state's 11 congressional districts. The elections coincided with the 2020 U.S. presidential election, as well as other elections to the House of Representatives, elections to the United States Senate and various state and local elections. District 1 The 1st district is based in the western Chesapeake Bay, taking in the exurbs and suburbs of Washington, D.C., and Richmond, including Fredericksburg, Mechanicsville, and Montclair. The incumbent was Republican Rob Wittman, who was re-elected with 55.2% of the vote in 2018. Nominee * Rob Wittman, incumbent U.S. Representative Nominee * Qasim Rashid, human rights lawyer and nominee for Virginia's 28th Senate district in 2019 Eliminated in primary * Vangie Williams, strategic planner and nominee for Virginia's 1st congressional district in 2018 Primary results [[File:2020 Democratic primary in Virginia's 1st congressional district.svg|thumb|County and independent city results{{legend|#c88fe4|Rashid}} {{legend|#c88fe4|50–60%}} {{legend|#b368d9|60–70%}}{{legend|#3fa455|Williams}} {{legend|#73bc80|50–60%}} {{legend|#3fa455|60–70%}} {{legend|#008c29|70–80%}}]] District 2 The 2nd district is based in Hampton Roads, containing the cities of Norfolk, Virginia Beach, and Hampton. The incumbent was Democrat Elaine Luria, who flipped the district and was elected with 51.1% of the vote in 2018. Nominee * Elaine Luria, incumbent U.S. Representative Nominee * Scott Taylor, former U.S. representative for Virginia's 2nd congressional district (2017–2019) Eliminated in primary * Jarome Bell, U.S. Navy veteran * Ben Loyola, defense contractor and U.S. Navy veteran Withdrawn * Andy Baan, cybersecurity expert Primary results [[File:2020 Republican primary in Virginia's 2nd congressional district by county.svg|thumb|County and independent city results{{legend|#dcb7ef|Taylor}} {{legend|#dcb7ef|40–50%}} {{legend|#c88fe4|50–60%}}]] District 3 The 3rd district encompasses the inner Hampton Roads, including parts of Hampton and Norfolk, as well as Newport News. The incumbent was Democrat Bobby Scott, who was reelected with 91.2% of the vote in 2018 without major-party opposition. Nominee * Bobby Scott, incumbent U.S. Representative Nominee * John Collick, U.S. Marine Corps veteran Eliminated in primary * Madison Downs, teacher * George Yacus, performance improvement consultant for U.S. Coast Guard District 4 The 4th district takes in Richmond and minimal portions of Southside Virginia, and stretches down into Chesapeake. The incumbent was Democrat Donald McEachin, who was re-elected with 62.6% of the vote in 2018. Nominee * Donald McEachin, incumbent U.S. Representative Eliminated in primary * R. Cazel Levine, former federal executive within U.S. Department of Defense Nominee * Leon Benjamin, pastor District 5 The 5th district stretches from Southside Virginia all the way to Northern Virginia, with the city of Charlottesville inside it. The district is larger than six states. The incumbent Republican Denver Riggleman, who was elected with 53.2% of the vote in 2018, was ousted by Bob Good in a district convention. Nominee * Bob Good, former Campbell County supervisor and former athletics director at Liberty University Eliminated at convention * Denver Riggleman, incumbent U.S. representative Convention results [[File:2020 VA-5 Republican Convention by county and independent city.svg|thumb|center|200px|Convention results by county {{legend|#e27f7f|Good}} {{legend|#e27f7f|50–60%}} {{legend|#d75d5d|60–70%}} {{legend|#d72f30|70–80%}} {{legend|#c21b18|80–90%}} {{legend|#5bc75b|Riggleman}} {{legend|#5bc75b|50–60%}} {{legend|#41b742|60–70%}} {{legend|#309a30|70–80%}} ]] Nominee * Cameron Webb, internal medicine physician and former White House Fellow Eliminated in primary * Roger Dean Huffstetler, U.S. Marine Corps veteran, entrepreneur, and candidate for Virginia's 5th congressional district in 2018 * John Lesinski, Rappahannock County supervisor and retired U.S. Marine Corps colonel * Claire Russo, U.S. Marine Corps veteran Withdrawn * Shadi Ayyas, physician * Kim Daugherty, attorney (endorsed Webb) Primary results [[File:2020 Democratic primary in Virginia's 5th congressional district by county.svg|alt=The county map depicts the 2020 Democratic primary election for Virginia's 5th congressional district shown by varying shades of purple to represent Cameron Webb's vote share in each county. Webb won every county in the district.|thumb|County and independent city results{{legend|#b368d9|Webb}} {{legend|#dcb7ef|40–50%}} {{legend|#c88fe4|50–60%}} {{legend|#b368d9|60–70%}} {{legend|#9d40cc|70–80%}} {{legend|#7c31a2|80–90%}}]] District 6 The 6th district is located in west-central Virginia taking in the Shenandoah Valley, including Lynchburg and Roanoke. The incumbent was Republican Ben Cline, who was elected with 59.7% of the vote in 2018. Nominee * Ben Cline, incumbent U.S. Representative Nominee * Nick Betts, law clerk District 7 The 7th district is based in central Virginia and encompasses suburban Richmond. The incumbent was Democrat Abigail Spanberger, who flipped the district and was elected with 50.3% of the vote in 2018. Nominee * Abigail Spanberger, incumbent U.S. representative Nominee * Nick Freitas, state delegate and candidate for U.S. Senate in 2018 Eliminated at convention * Peter Greenwald, U.S. Navy veteran and candidate for Virginia's 7th congressional district in 2014 * Andrew Knaggs, former Deputy Assistant Secretary of Defense for Special Operations and Combating Terrorism (2017-2019) * John McGuire, state delegate * Tina Ramirez, nonprofit executive, congressional foreign policy adviser, and founder of the congressional International Religious Freedom Caucus * Jason Roberge, attorney Failed to qualify for convention * Mike Dickinson, businessman * Craig Ennis, construction worker Declined * Bryce Reeves, state senator District 8 The 8th district is based in northern Virginia and encompasses the inner Washington, D.C., suburbs, including Arlington, Alexandria, and Falls Church. The incumbent was Democrat Don Beyer, who was re-elected with 76.1% of the vote in 2018. Nominee * Don Beyer, incumbent U.S. representative Nominee * Jeff Jordan, defense contractor Eliminated at convention * Mark Ellmore, banker District 9 The 9th district takes in rural southwest Virginia, including Abingdon, Blacksburg, and Salem. The incumbent was Republican Morgan Griffith, who was re-elected with 65.2% of the vote in 2018. Nominee * Morgan Griffith, incumbent U.S. Representative Withdrawn * Cameron Dickerson, CIA contractor (accepted Libertarian nomination instead) Failed to qualify * Cameron Dickerson, CIA contractor District 10 The 10th district is based in northern Virginia and the D.C. metro area, encompassing Loudoun and parts of Fairfax, Prince William, Clarke, and Frederick counties. The incumbent was Democrat Jennifer Wexton, who flipped the district and was elected with 56.1% of the vote in 2018. Nominee * Jennifer Wexton, incumbent U.S. Representative Nominee * Aliscia Andrews, U.S. Marine Corps veteran Eliminated at convention * Jeff Dove, U.S. Army veteran and nominee for Virginia's 11th congressional district in 2018 * Matt Truong, businessman and tech executive District 11 The 11th district encompasses the southern and western suburbs of Washington, D.C., including Dale City, Fairfax, and Reston. The incumbent was Democrat Gerry Connolly, who was re-elected with 71.1% of the vote in 2018. Nominee * Gerry Connolly, incumbent U.S. Representative Eliminated in primary * Zainab Mohsini, activist Nominee * Manga Anantatmula, businesswoman
WIKI
Wikipedia:Featured list removal candidates/List of extreme points of Bulgaria/archive1 * The following is an archived discussion of a featured list removal nomination. Please do not modify it. Subsequent comments should be made on the article's talk page or in Wikipedia talk:Featured list candidates. No further edits should be made to this page. The list was removed by Dabomb87 19:22, 20 November 2010. List of extreme points of Bulgaria * Notified: Mr.crabby, WikiProject Bulgaria I am nominating this for featured list removal because it is a content fork of Geography of Bulgaria. Also, at 8 entires, it does not pass the minimum unofficial threshold of 10 entries. Nergaal (talk) 02:55, 22 October 2010 (UTC) * Just to clarify, this list passes all criteria except for 3.b. Nergaal (talk) 19:17, 22 October 2010 (UTC) * Why would it be a content fork, I don't see any material treating the extreme points of Bulgaria in the Geography of Bulgaria article. Also, we can't really invent more extreme points in order to get to 10 entries. Both arguments seem invalid to me. — Toдor Boжinov — 06:58, 22 October 2010 (UTC) * Neutral No dab links, no dead external links. * While I agree with Nergaal that it is a WP:CFORK, merging this list would mean going on a slash-and-burn of all the similar lists at Extreme points of Europe. The article is well-written, but the actual list could easily be slipped into Geography of Bulgaria. I'm on the fence at the moment. Adabow (talk · contribs) 10:38, 22 October 2010 (UTC) * Yes, but slash-and-burn through those won't be too hard since a large number of them are in a state similar to Extreme points of Belarus. Nergaal (talk) 19:17, 22 October 2010 (UTC) * Oh, OK. Delist per above. Adabow (talk · contribs) 20:10, 22 October 2010 (UTC) * Keep My comment has been left unanswered, so I fail to see the reason to delist this specific article. In my opinion, the list is detailed enough to warrant a separate article and too detailed to be merged into Geography of Bulgaria. — Toдor Boжinov — 09:58, 25 October 2010 (UTC) * How is this "featured" list any better than Extreme_points_of_Andorra? Nergaal (talk) 18:09, 25 October 2010 (UTC) * Is this a serious question? I think the difference is more than evident. If you have a problem with the existence of the whole series of extreme points articles, I don't think trying to delist an FL is the right way to go. — Toдor Boжinov — 08:57, 26 October 2010 (UTC) * Keep passes 3b quite handily, "In length and/or topic, it meets all of the requirements for stand-alone lists;" (emphasis mine) That part of the clause is quite important, and the recent run of delisting- or trying to make the ten item rule of thumb some form of holy writ is quite disconcerting. Courcelles 09:57, 26 October 2010 (UTC) * I'm just not seeing why this has to be a separate article. Why shouldn't it be merged into Geography of Bulgaria? It offers no real commentary, just a list of coordinates. Let's look at it: * Lat/Long graf lists the extreme points. Seriously. It says 'the northernmost point is... the easternmost is...' etc. * The table then repeats this information, though now offering a coordinate link. Even the sources are generally duplicated. * "Antarctica" is not a province of Bulgaria. * Elevation graf does exactly the same. Lists the highest and lowest points, though with our first piece of relevant added info (highest peak in the Balkans). For some reason it also includes other peaks, even though they have nothing to do with being an extreme point. This section has no map. * The table then again repeats this information. * Why are we told the province twice? And is the name of the range "Rila Mountain"? So some basic English issues here. * And that's it. It has two small sets of data, and prints each one twice. Based on these merits alone I have to say delist, and strongly support it being merged into the main article. --Golbez (talk) 18:19, 28 October 2010 (UTC) * Delist I'm not convinced this is a standalone list. It's barely two short sections, which could really, really easily be merged into Geography of Bulgaria. And I doubt that anyone goes searching for "extreme points of Bulgaria]] either. It's well referenced, but wouldn't be amiss as a short addition to the main article. The Rambling Man (talk) 19:15, 1 November 2010 (UTC) * Delist - On the state of the references alone its enough to qualify for delist. The fact it's a content fork as well just adds to it. Afro ( Talk ) 16:42, 12 November 2010 (UTC) * Merge and delist. 3b. Like Nergaal I think a small section would suffice. (@ Courcelles) Not sure about your intepretation of the "or topic". This isn't about 10 items, it is about an unnecessary fork. Would Extreme points of Vatican City be eligible for splitting out through eligibility by topic? This isn't the place for that discussion but if you want to discuss your interpretation of 3b "by topic" I'm happy to do so on a talk page. Rambo's Revenge (talk) 16:10, 18 November 2010 (UTC)
WIKI