-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.json
1 lines (1 loc) · 41.9 KB
/
index.json
1
[{"categories":null,"contents":"","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/basic/_index.bn/","summary":"","tags":null,"title":"Go বেসিক"},{"categories":null,"contents":" Hello World A sample go program is show here.\npackage main import \u0026#34;fmt\u0026#34; func main() { message := greetMe(\u0026#34;world\u0026#34;) fmt.Println(message) } func greetMe(name string) string { return \u0026#34;Hello, \u0026#34; + name + \u0026#34;!\u0026#34; } Run the program as below:\n$ go run hello.go Variables Normal Declaration:\nvar msg string msg = \u0026#34;Hello\u0026#34; Shortcut:\nmsg := \u0026#34;Hello\u0026#34; Constants const Phi = 1.618 ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/basic/introduction/","summary":" Hello World A sample go program is show here.\npackage main import \u0026#34;fmt\u0026#34; func main() { message := greetMe(\u0026#34;world\u0026#34;) fmt.Println(message) } func greetMe(name string) string { return \u0026#34;Hello, \u0026#34; + name + \u0026#34;!\u0026#34; } Run the program as below:\n$ go run hello.go Variables Normal Declaration:\nvar msg string msg = \u0026#34;Hello\u0026#34; Shortcut:\nmsg := \u0026#34;Hello\u0026#34; Constants const Phi = 1.618 ","tags":null,"title":"Introduction"},{"categories":null,"contents":" Strings str := \u0026#34;Hello\u0026#34; Multiline string\nstr := `Multiline string` Numbers Typical types\nnum := 3 // int num := 3. // float64 num := 3 + 4i // complex128 num := byte(\u0026#39;a\u0026#39;) // byte (alias for uint8) Other Types\nvar u uint = 7 // uint (unsigned) var p float32 = 22.7 // 32-bit float Arrays // var numbers [5]int numbers := [...]int{0, 0, 0, 0, 0} Pointers func main () { b := *getPointer() fmt.Println(\u0026#34;Value is\u0026#34;, b) func getPointer () (myPointer *int) { a := 234 return \u0026amp;a a := new(int) *a = 234 Pointers point to a memory location of a variable. Go is fully garbage-collected.\nType Conversion i := 2 f := float64(i) u := uint(i) Slice slice := []int{2, 3, 4} slice := []byte(\u0026#34;Hello\u0026#34;) ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/basic/types/","summary":"Strings str := \u0026#34;Hello\u0026#34; Multiline string\nstr := `Multiline string` Numbers Typical types\nnum := 3 // int num := 3. // float64 num := 3 + 4i // complex128 num := byte(\u0026#39;a\u0026#39;) // byte (alias for uint8) Other Types\nvar u uint = 7 // uint (unsigned) var p float32 = 22.7 // 32-bit float Arrays // var numbers [5]int numbers := [...]int{0, 0, 0, 0, 0} Pointers func main () { b := *getPointer() fmt.","tags":null,"title":"Basic Types"},{"categories":null,"contents":"","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/advanced/_index.bn/","summary":"","tags":null,"title":"অ্যাডভান্সড"},{"categories":null,"contents":" Condition if day == \u0026#34;sunday\u0026#34; || day == \u0026#34;saturday\u0026#34; { rest() } else if day == \u0026#34;monday\u0026#34; \u0026amp;\u0026amp; isTired() { groan() } else { work() } if _, err := doThing(); err != nil { fmt.Println(\u0026#34;Uh oh\u0026#34;) Switch switch day { case \u0026#34;sunday\u0026#34;: // cases don\u0026#39;t \u0026#34;fall through\u0026#34; by default! fallthrough case \u0026#34;saturday\u0026#34;: rest() default: work() } Loop for count := 0; count \u0026lt;= 10; count++ { fmt.Println(\u0026#34;My counter is at\u0026#34;, count) } entry := []string{\u0026#34;Jack\u0026#34;,\u0026#34;John\u0026#34;,\u0026#34;Jones\u0026#34;} for i, val := range entry { fmt.Printf(\u0026#34;At position %d, the character %s is present\\n\u0026#34;, i, val) n := 0 x := 42 for n != x { n := guess() } ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/basic/flow-control/","summary":"Condition if day == \u0026#34;sunday\u0026#34; || day == \u0026#34;saturday\u0026#34; { rest() } else if day == \u0026#34;monday\u0026#34; \u0026amp;\u0026amp; isTired() { groan() } else { work() } if _, err := doThing(); err != nil { fmt.Println(\u0026#34;Uh oh\u0026#34;) Switch switch day { case \u0026#34;sunday\u0026#34;: // cases don\u0026#39;t \u0026#34;fall through\u0026#34; by default! fallthrough case \u0026#34;saturday\u0026#34;: rest() default: work() } Loop for count := 0; count \u0026lt;= 10; count++ { fmt.Println(\u0026#34;My counter is at\u0026#34;, count) } entry := []string{\u0026#34;Jack\u0026#34;,\u0026#34;John\u0026#34;,\u0026#34;Jones\u0026#34;} for i, val := range entry { fmt.","tags":null,"title":"Flow Control"},{"categories":null,"contents":" Condition if day == \u0026#34;sunday\u0026#34; || day == \u0026#34;saturday\u0026#34; { rest() } else if day == \u0026#34;monday\u0026#34; \u0026amp;\u0026amp; isTired() { groan() } else { work() } if _, err := doThing(); err != nil { fmt.Println(\u0026#34;Uh oh\u0026#34;) ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/advanced/files/","summary":" Condition if day == \u0026#34;sunday\u0026#34; || day == \u0026#34;saturday\u0026#34; { rest() } else if day == \u0026#34;monday\u0026#34; \u0026amp;\u0026amp; isTired() { groan() } else { work() } if _, err := doThing(); err != nil { fmt.Println(\u0026#34;Uh oh\u0026#34;) ","tags":null,"title":"File Manipulation"},{"categories":null,"contents":" Variable NAME=\u0026#34;John\u0026#34; echo $NAME echo \u0026#34;$NAME\u0026#34; echo \u0026#34;${NAME} Condition if [[ -z \u0026#34;$string\u0026#34; ]]; then echo \u0026#34;String is empty\u0026#34; elif [[ -n \u0026#34;$string\u0026#34; ]]; then echo \u0026#34;String is not empty\u0026#34; fi ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/bash/basic/","summary":" Variable NAME=\u0026#34;John\u0026#34; echo $NAME echo \u0026#34;$NAME\u0026#34; echo \u0026#34;${NAME} Condition if [[ -z \u0026#34;$string\u0026#34; ]]; then echo \u0026#34;String is empty\u0026#34; elif [[ -n \u0026#34;$string\u0026#34; ]]; then echo \u0026#34;String is not empty\u0026#34; fi ","tags":null,"title":"Bash Variables"},{"categories":null,"contents":"\rEnglish corner is always a perfect place for me to improve my English skill.\rI\u0026rsquo;ve taken part in this activity for more than half a year, this place always relax me when I am under pressured by academic researches. Every week I will make the reservation and be there on time.\nAlthough each session just lasts for one hour, it\u0026rsquo;s worthy doing that. I\u0026rsquo;ve accumulated many words and expressions since then.\nFortunately, I was invited to record a video and the topic is about winter holiday.\nTheme: iExperience | Winter Holiday is Coming The passage was published by: https://mp.weixin.qq.com/s/0341Ajz0F73xzZw1zcEe4Q\nYour browser does not support the video tag.\r","date":"January 16, 2025","hero":"/posts/english-learning/english-corner/cover.jpg","permalink":"https://jackwu925.github.io/posts/english-learning/english-corner/","summary":"English corner is always a perfect place for me to improve my English skill.\rI\u0026rsquo;ve taken part in this activity for more than half a year, this place always relax me when I am under pressured by academic researches. Every week I will make the reservation and be there on time.\nAlthough each session just lasts for one hour, it\u0026rsquo;s worthy doing that. I\u0026rsquo;ve accumulated many words and expressions since then.","tags":null,"title":"Winter Holiday"},{"categories":null,"contents":"\rThis article discusses my various thoughts and the information I collected on studying abroad during the process of continuous learning. You are welcome to add to it.\rTwo sides of studying abroad Advantages Bilingual skill More personal time and more efficient Diversified Talents (Cultural Integration) A variety of options Drawbacks Loneliness Cultural differences Lack of domestic relationships Unfamiliarity with the domestic environment (missed campus recruitment, insensitive to the job market, etc.) CSC Application On January 9, 2025, the China Scholarship Council issued the \u0026ldquo;2025 Guidelines for the Selection of National Scholarship Funded Overseas Students\u0026rdquo;\nWeb: https://www.csc.edu.cn/chuguo/s/3460\nCriteria Excellent students Top rankings of foreign universities and excellent foreign tutors Research plans are feasible, advanced and practically close to domestic problems Process: Foreign tutors establish Connection - RP - Interview - Fill in the CSC system\nAfter March 10, 2025, you can enter the complete tutor name in the foreign tutor interface to query the number of applicants for that year (in principle, one tutor can accept 2 doctoral students + 2 joint training in one year of CSC. In special cases, such as if the tutor is a European academician, more can be recruited, so when you see ≥3, you are likely to meet a foreign tutor.\nMaterials preparation Web: https://www.csc.edu.cn/article/3446\nA. Basic information B. Application status (key funded disciplines and major codes) C. Foreign language proficiency (TOEFL scores are not required for CSC applications, only language certification from foreign tutors is required, but foreign schools are likely to require TOEFL scores for admission) D. Education and work experience E. Major academic achievements (unpublished/under review papers should be filled in F) F. Summary of major academic achievements (most important: 3,000 characters must be filled, personal academic achievement summary, paper summary introduction, overview of scientific research projects (topics) participated in, awards received) G. Training plan (most important: 3,000 characters must be filled, intended study abroad major, intended research topic, domestic and foreign research situation and level, intended study abroad country, study abroad unit and reason for selection, feasibility of studying abroad, purpose of study abroad, expected goals, research methods, time planning, work/study plan after returning to China) H. Domestic tutor I. Foreign tutor J. Letter of commitment Updated on January 11, 2025\r","date":"January 11, 2025","hero":"/posts/casual-writing/abroad/chitchat/cover.jpg","permalink":"https://jackwu925.github.io/posts/casual-writing/abroad/chitchat/","summary":"This article discusses my various thoughts and the information I collected on studying abroad during the process of continuous learning. You are welcome to add to it.\rTwo sides of studying abroad Advantages Bilingual skill More personal time and more efficient Diversified Talents (Cultural Integration) A variety of options Drawbacks Loneliness Cultural differences Lack of domestic relationships Unfamiliarity with the domestic environment (missed campus recruitment, insensitive to the job market, etc.","tags":null,"title":"Chitchat"},{"categories":null,"contents":"\rThis article is used to record some of the information I have learned during the application process for studying abroad, for your reference. It should be added that I am an academic master in China.\rLanguage requirements Basic requirement: IELTS 6.5 (sub-score 6) Advanced requirement: IELTS 7 (sub-score 6.5) Advanced requirement: IELTS 7.5 (sub-score 7) Timeline The following is a rough timeline. It should be noted that the UK does not require GRE, only IELTS scores Material preparation Statement of Purpose Personal Statement (PS) Resume (CV) Letter of recommendation English transcripts of undergraduate and master\u0026rsquo;s degrees Language scores (TOEFL/IELTS \u0026amp; GRE/GMAT, etc.) Undergraduate degree certificate, graduation certificate Master\u0026rsquo;s degree certificate in Chinese and English Updated on January 10, 2025\r","date":"January 11, 2025","hero":"/posts/casual-writing/abroad/uk/cover.jpg","permalink":"https://jackwu925.github.io/posts/casual-writing/abroad/uk/","summary":"This article is used to record some of the information I have learned during the application process for studying abroad, for your reference. It should be added that I am an academic master in China.\rLanguage requirements Basic requirement: IELTS 6.5 (sub-score 6) Advanced requirement: IELTS 7 (sub-score 6.5) Advanced requirement: IELTS 7.5 (sub-score 7) Timeline The following is a rough timeline. It should be noted that the UK does not require GRE, only IELTS scores Material preparation Statement of Purpose Personal Statement (PS) Resume (CV) Letter of recommendation English transcripts of undergraduate and master\u0026rsquo;s degrees Language scores (TOEFL/IELTS \u0026amp; GRE/GMAT, etc.","tags":null,"title":"UK"},{"categories":null,"contents":"\rThis article is used to record some of the information I have learned during the application process for studying abroad, for your reference. It should be added that I am an academic master in China.\rLanguage requirements Most of the top universities in the United States require IELTS scores ≥ 7.5, TOEFL scores ≥ 102, and GRE scores ≥ 319 for doctoral applications (the specific request depends on the application situation of the year)\nStudying in the United States I read a book about international students. In recent years, the computer industry has surpassed finance to become a popular industry. The proportion of overseas direct doctoral students has increased. Some schools will set up doctoral assessments, which means that before the assessment, the doctoral students are in a probation period. Only after passing the probation can they be transferred to formal doctoral programs. The maximum period is 6 semesters, which varies from school to school. In fact, the foreign probation is similar to the doctoral thesis proposal in China. It requires a comprehensive assessment of research background, research plan, research content, research progress, etc. Generally, there are three chances. It should be noted that if the first two times fail, the third time requires the approval of the committee and the tutor before the thesis proposal can be made.\nGPA requirements Top universities in the United States have high GPA requirements, as follows: Material preparation Statement of Purpose Personal Statement Resume Letter of recommendation English transcript Language scores (TOEFL/IELTS \u0026amp; GRE/GMAT, etc.) Proof of funds (optional) Updated on January 10, 2025\r","date":"January 10, 2025","hero":"/posts/casual-writing/abroad/usa/cover.png","permalink":"https://jackwu925.github.io/posts/casual-writing/abroad/usa/","summary":"This article is used to record some of the information I have learned during the application process for studying abroad, for your reference. It should be added that I am an academic master in China.\rLanguage requirements Most of the top universities in the United States require IELTS scores ≥ 7.5, TOEFL scores ≥ 102, and GRE scores ≥ 319 for doctoral applications (the specific request depends on the application situation of the year)","tags":null,"title":"USA"},{"categories":null,"contents":"\rIt was a amazing and impressive golden holiday. We haven't had such a crazy time in a long time. This time, 7 days, one car and three people, passing through forests, lakes, mountains and glaciers, was an unforgettable experience for us.\r\u0026#x1f697; Car selection Toyota (T-ROC) \u0026#x1f9ed; Self-driving map 👣Total mileage:About 3,000 kms\r\u0026#x1f4f8; Some moments ","date":"November 2, 2024","hero":"/posts/travel-log/2024/0930/cover.jpg","permalink":"https://jackwu925.github.io/posts/travel-log/2024/0930/","summary":"\rIt was a amazing and impressive golden holiday. We haven't had such a crazy time in a long time. This time, 7 days, one car and three people, passing through forests, lakes, mountains and glaciers, was an unforgettable experience for us.\r\u0026#x1f697; Car selection Toyota (T-ROC) \u0026#x1f9ed; Self-driving map 👣Total mileage:About 3,000 kms\r\u0026#x1f4f8; Some moments ","tags":null,"title":"Sichuan-Gansu-Qinghai Grand Loop"},{"categories":null,"contents":"\rRecording the learning process is always my personal preference. Anyone who has the needs to practice speaking can use these records if it helps.\rEvery single word was basically typed by hand through listening. Please correct any mistake by mailing me ([email protected]) and thank you for the effort.\rPart2 No.1 Healthcare professionals\rYour browser does not support the video tag.\rSubtitles\rThe person I'd like to talk about is my cousin Sara.\rShe's a dedicated and compassionate nurse who works in the emergency department of a local hospital.\rHer job involves providing imediate care for patients with a wide range of conditions from minor injuries to life threatening situations.\rIt's a fast paced and often stressful environment, Sara thrives under pressure and has natural talents for calming both her patients and their families.\rSara chose this career because she always has deep seated desire to help people.\rWhen she was younger, she volunteered at a nursing home and that experience really opened her eyes the impact she could have on others lives.\rShe fount it incredible rewarding to see the difference that a kind word or a gentle touch could make to someone's day, especially someone who were going through tough times.\rThis inspired her to pursue a career where she could make a real difference and be there for people when need it the most\rWhat I admired most about Sara is not just her professional skills, but also her empathy and kindness.\rShe treats every patient with respect and dignity, no matter how busy or challenging the situation might be.\rHer dedication to her work and her ability to remain positive and focused even in the face of adversity is truly inspiring\rI feel very proud to know her and call her family.\rWhenever I heard stories of her experience, I am reminded of the importance of compassion and the value of healthcare professionals in our society.\rIn conclusion, Sara is an exemplary individual in the medical field and I believe her choice of career is a perfect fit for her caring nature and strong sense of responsibility.\rHer work is not only important, but also deeply appreciated by many and I am grateful for the example she sets.\rSource: 95226119542 xhs\rNo.2 Strong opinions\rYour browser does not support the video tag.\rSubtitles\rI wish to kick off by describing a person who is never without with strong opinions.\rHe is my college classmate. We became acquainted with each other through teamwork. This individual, who was a team leader during a class preparation, consistently and clearly brought forward some truly innovative ideas which he would then support them with appropriate and compelling examples. His ability to articulate his thoughts so clearly and persuasively had a facinated effect on the rest of us.\rWe found ourselves naturally gravitating towards his perspective as it seems to offer a fresh and insightful approach to the task at hand.\rHis leadership was instrumental in the completion of our project, and I was genuinely curious about how he managed to develop such stronger viewpoints and present them in such a convincing manner.\rWhen I asked him about this he shared a piece of advice.\rHe encouraged me to read more books to cultivate my thinking and accumulate more knowledge materials.\rHe believed that is the key to develop a solid foundation to one's opinions.\rBy doing so, he explained, one can not only form stronger opinions but also be able to confidently argue those views, because they were based on the rich diversity of information and experience.\rOverall, in this collaboration, his powerful ideas and arguments extremely inspired me to learn from him and read more books to enrich myself as well.\rSource: 95226119542 xhs\rPart3 No.1 Keen on reading\rYour browser does not support the video tag.\rSubtitles\rWell, there are several reasons behind people's passion for reading.\rFirst, it's an excellent way to gain knowledge and expand one's understanding of the world.\rBooks cover a vast range of subjects, from science and history to philosophy and art, providing readers with an endless source of information.\rThis thirst for learning can be very satisfying and is a driving force for many avid readers. Moreover, reading serves as a form of escapism allowing people to temporarily leave out their own reality and immerse themselves in different worlds or experiences.\rIt's a powerful tool for stress relief, as it helps divert attention away from daily worries and challenges.\rFor some, this escape into fictional realms can even inspire creativity and imagination, encouraging them to think outside of the box.\rAnother aspect that draws people to books is the emotional connection they conform with stories and characters.\rReading often evokes strong emotions whether its joy, sadness and excitement which can be a deeply rewarding personal experience. It also promotes empathy by giving readers an insight into diverse perspective and life situations, helping to forster a more compassionate society.\rAdditionally, in today's fast paced digital age, where we are constantly bombarded with information, reading offers a slower more contemplative activity.\rIt encourages critical thinking and analytical skills as readers must actively engage with the text, interpreting meanings and drawing connections.\rThis mental exercise is benefical to cognitive development and maintaining sharpness of mind.\rSource: 95226119542 xhs\rNo.2 Strong opinions\rYour browser does not support the video tag.\rSubtitles\rWell, young people today have strong opinions on a wide of topics.\rOne area that stands out is the environment.\rMany are passionate about the sustainability and the flight against the climate change.\rThey advocate for green energy, less plastic use, and more responsible consumption.\rThis generation, seems to be more aware of their impact on the planet and the importance of taking action.\rAnother topic where you'll find strong opinions among youth is technology and social media.\rWhile they are often the most adept at using these tools, there's also growing concern about privacy, data security, and the negative effects of too much screen time.\rSome feel enpowered by the connectivity, while others worried about the loss of genuine human interaction.\rSocial justice and equality issues also ignite a lot of passion in younger demographics.\rMovements like \"Me Too\", \"Black live matters\" and \"LGBT+ rights\" have seen significant support from young people who are vocal about wanting a fairer and more inclusive society.\rThey are not afraid of challaging the status quo and push for reforms.\rEducation is another field where young individuals express strong views.\rThey are desired for a more practical and relevant curriculum as well as a system that caters to different learning styles and abilities.\rThey want an education that prepares them to the real world and equips them with skills that will be useful in their future careers.\rLastly, politics can be a contentious issue, especially in times of political unrest or when there are major policy changes.\rYoung people tend to be quite engaged whether it's through voting, protesting, and participating in online discussions.\rThey care deeply about the directions their countries are heading and often have clear ideas about what kind of leadership they believe is needed.\rSource: 95226119542 xhs\rNo.3 Public noise\rYour browser does not support the video tag.\rSubtitles\rIn my opinion, the majority of people do find it bother some when others talk loudly on their phones in public spaces.\rThis is primarily because such behaviour can disrupt the peace and quiet that many individuals seek when they are out in public.\rFor instance, in libraries or in public transport, where silence is expected that the sound of someone's conversation can be particularly distracting.\rMoreover, it can also be seen as a lack of respect for those around them.\rWhile some might argue it is a matter of personal freedom to speak on the phone wherever one pleases, the negative impact on others often outweights the individual right.\rTherefore, it is generally considered courteous to limit phone conversations in public areas to avoid causing discomfort to those nearby.\rSource: 95226119542 xhs\rNo.4 Help parents\rYour browser does not support the video tag.\rSubtitles\rCertainly children can contribute to the household in numerous ways.\rFirstly, they can take on some of the ligher chores that suit their age and abilities, such as setting the table, clearing it after meals or helping with laundry by folding clothes.\rThis not only eases the workload for parents but also teaches kids responsibility and the importance of teamwork.\rMoreover, children can assist in organizing and maintaining a tidy living space.\rThey could be responsible for keeping their rooms clean, putting away toys and even participating in more general cleaning activities around the house.\rIt's benefical for them to learn these skills early on as it fosters independence and self-reliance.\rAdditionally, older children might help with look after younger siblings, especially when parents are occupied with other tasks.\rThis can include playing with them, reading stories, or simply ensuring they are safe while adults are busy.\rSuch roles can strengthen sibling bonds and teach patience and nurturing qualities.\rFurthermore, in today's digital world, many children are more tech savvy than their parents.\rThey can use this to their advantage by helping out with technology related issues, like setting up new devices, teaching parents how to use apps or assisting with online shopping and bill payments.\rLastly, emotional support is another important way children can help.\rJust being there to listen, offering a hug or engaging in family conversations can make a significant difference in the overall mood and well being of the home.\rA supportive and positive atmosphere is essential for a happy family life.\rSource: 95226119542 xhs\rNo.5 Zoos\rYour browser does not support the video tag.\rSubtitles\rI believe that taking children to the zoo can be a positive and educational experience, but it also comes with some considerations.\rOn one hand, zoos offer a unique opportunity for children to observe and learn about a wide variety of animals that they might not otherwise have the chance to see.\rThis direct exposure can inspire curiosity and foster a deeper understanding and appreciation of wildlife and the natural world.\rAdditionally, many modern zoos are committed to conservation efforts, education and research, which means that visitors can contribute to important causes beyond just entertainment.\rFor instance, well designed exhibits often include information about the animals natural habitats, behaviors and the challenges they face in the wild.\rThis can help children develop awareness of environmental issues and the importance of protecting endangered species.\rMorever, interactive programs such as feeding sessions or keeper talks can make the learning process engaging and memorable, potentially inspiring future generations to care more about nature and biodiversity.\rOn the other hand, there are valid concerns that welfare of animals in captivity. It's important for parents to choose zoos that adhere to high standards of animal care, and provide environments that closely mimic the animal's natural habitats.\rSome argue that keeping animals in captivity no matter how well intentioned can never fully replicate the freedom and complexity of life in the wild.\rTherefore, it's crucial for parents to engage in discussions with their children about the ethical aspects of zoos and the responsibilities we have towards wildlife.\rSource: 95226119542 xhs\rNo.5 Differences between doctors and nurses\rYour browser does not support the video tag.\rSubtitles\rThe roles of doctors and nurses, while both essential to the health care system, are distinct in terms of their responsibilities, training and the way they interact with patients.\rFirstly, when it comes to education and qualifications, doctors typically undergo a longer and more specialized training process. They need to complete a bachelor's degree, followed by medical school which is usually another four years. After that, they must go through a residency program which can last three to seven years depending on their specialization.\rIn contrast, nurses usually earn a diploma or an associate's degree, though many now pursue a bachelor's degree in nursing.\rThis generally takes two to four years, and they must past a licencing exam to practice.\rRegarding their duties, doctors are primarily responsible for diagnosing illnesses, prescribing treatments and performing surgeries.\rThey make critical decisions about patient care, often based on complex diagnosed information and medical knowledge.\rNurses on the other hand, focus more on providing direct patient care, monitoring health conditions, administering medications and educating patients and their familys about managing their health.\rNurses also play a key role in supporting emotional well beings of patients, acting as a bridge between the patient and the doctor.\rThe scope of practice varies.\rDoctors have broader authorities to prescribe medications, order tests and perform certain procedures.\rNurses however, work within a defined scope that is regulated by their licence and may include some prescriptive authorities under specific circumstances.\rBut this is generally more limited compared to that of a doctor.\rSource: 95226119542 xhs\rNo.6 What are the advantages and disadvantages of shopping in small shops\rYour browser does not support the video tag.\rSubtitles\rOn the positive side, small shops often offer a more personalized shopping experience.\rThe owners and staff tend to know their customer well which can lead to better customer service.\rThere's usually a sense of community within these shops as they often serve a local clientele and can become a integral part of neighborhood.\rMoreover,small shops may stock unique or locally made items that you wouldn't find in larger chain stores, providing a distinctive selection of products.\rAnother advantage is that by supporting small businesses, you're contributing to the local economy.\rThe money you spent in such shops is more likely to stay within the community, helping to create job opportunities and maintain the character of the area.\rSmall shops also have the flexibility to adapt quickly to changing consumer demands and trends as they don't have to go through a long corporate decisiom making process.\rHowever, there are some downsides to shopping at small shops as well. For instance, the range of products available can be limited compared to what you'd find in a large supermarket or department store.\rThis means that if you are looking for a wide variety of choices, you might not find everything you need in a single small shop.\rAdditionally, prices in small shop can sometimes be higher due to the lack of economies of scale.\rThey may not be able to buy in bulk and get same discounts as bigger retailers.\rSource: 95226119542 xhs\rNo.7 What do people often complain about\rYour browser does not support the video tag.\rSubtitles\rI honestly never thought about that before as most people in my country are naturally patient.\rHowever if I have to choose one, it's definitely the complaints regarding online shopping.\rDue to its popularity, a lot of Chinese people prefer this option when purchasing their needs.\rUnfortunately, in some rare cases things don't always go as planned.\rFor instance, some parcels may turn out to be damaged which can really cause inconvenience to people as the return process may take a longer time, which could lead to more displeasure.\rSource: 95226119542 xhs\rNo.8 Who likes to stay at home more, young people or older people\rYour browser does not support the video tag.\rSubtitles\rWhether young people or old people prefer to stay at home can vary greatly depending on the individual, but there are some general trends that we can observe.\rFor many older adults, staying at home is often a prefered choice due to several factors.\rFirst, as one ages, physical limitations and health issues may make it more challenging to go out frequently, so the comfort and convenience of their own home become increasingly appealing.\rAdditionally, older individuals might have already experienced a lot in life and could find contentment in simpler activities, such as reading, gardening, or spending time with family.\rOn the other hand, young people tend to be more socially active and adventurous.\rThey are often eager to explore new places, meeting new friends, and engage in various social activities.\rHowever, it's important to note that not all young people fit this mode.\rSome may enjoy the tranquility of being at home, perhaps to study, work on personal projects, or simply to relax away from the hustle and bustle of daily life.\rThe rise of digital entertainment and remote work has also made staying at home a more attractive option for younger generations, allowing them to connect with each others and even work without leaving their homes.\rIn summary, while these is a tendency for older people home to spend more time at home, both age groups has their reasons for preferring either option.\rIt really comes down to personal preferences, lifestyle and circumstances.\rWhat's interesting is how these preferences can change over time and how technology is influencing our habits across all ages.\rSource: 95226119542 xhs\rNo.9 Why do old friends lose touch with each other Your browser does not support the video tag.\rSubtitles\rWell, there are a variety of reasons why old friends might lose touch with each other.\rOne of the most common is that people's lives change as they grow older.\rFor instance, after finishing school or university, individuals may move to different cities or even countries for work or further education, which makes it more difficult to maintain contact.\rAdditionally, as we get older, our priorities and interests can shift.\rWe might become busy with careers, starting families or dealing with personal issues, leaving less time for socializing with friends.\rThe frequency of communication often decreases and over time, the connection can weaken.\rMoreover, in today's fast paced society, the way we communicate has changed dramatically.\rWith the rise of social media, we have more ways than ever to stay in touch, but sometimes these platforms can also create a false sense of connection.\rPeople may think they're keeping up with their friends lives by following them online, without having meaning conversation or spending quality time together.\rLastly, sometimes friendship simply run their course.\rAs people evolve, they might find that they don't share the same values, interests, or lifestyles and this can lead to a natural drifting apart.\rIt's not always a negative thing, it's just a part of life and personal growth. Source: 95226119542 xhs\rNo.10 Why do many people like to buy expensive sportswear for playing ball games Your browser does not support the video tag.\rSubtitles\rWhen it comes to the popularity of expensive sportswear for playing ball games, there are several factors that contribute to this trend.\rFirstly, people often associate higher prices with better qualities.\rExpensive sportswear brands typically use advanced materials and technologies in their products which can offer improved performance such as enhanced breathability, moisture wicking and flexibility.\rThis can be especially important for athletes or those who take their sports seriously as these features may help them perform at their best.\rSecondly, there is a psychological aspect to wearing high-end sportswear.\rThe feeling of be well-equipped can boost one's confidence and motivation which in turn may lead to a more enjoyable experience and potentially better results.\rAdditionally, the branding and marketing strategies employed by premium sportswear companies often emphasize the aspirational lifestyle associated with their products, making the gear not just about function but also about fashion and status.\rMoreover, many individuals see purchasing expensive sportswear as an investment.\rHigh quality items tend to last longer, so even though the initial cost is higher, the long term value might justify the price.\rThere's also the aspect of personal satisfaction.\rSome people simply enjoy owning and using premium products, finding pleasure in the aesthetic appeal and the comfort they provide.\rSource: 95226119542 xhs\rNo.10 Why do children like stories Your browser does not support the video tag.\rSubtitles\rChildren have a natural inclination towards stories for several compelling reasons.\rFirstly, stories serve as a gateway to imagination and creativity, they allow young minds to explore different worlds and situations that they might not encountered in their daily lives which is incredibly stimulating for their cognitive development.\rSecondly, stories often contain moral lessons or values that are crucial for a child social and emotional growth.\rThese narratives can teach them about right and wrong, empathy and the consequences of actions in a way that is engaging and memorable. Moreover, storytelling is a fundamental part of human culture, pass down through generations.\rIt helps children connect with their heritage and understand the world from various perspectives.\rStories also play a role in language acquisition, hearing new words or phrases in context, can significantly enhance a children's vocabulary and comprehension skills.\rLastly, stories provide a safe space for children to process complex emotions and fears.\rCharacters and stories often face challenges and conflicts, and by following their journeys, children can learn coping strateies and resilience. In essence, stories are not just entertaining, they are educational and therapeutic tools that contribute to a child's overall development.\rSource: 95226119542 xhs\r","date":"October 14, 2024","hero":"/posts/english-learning/speaking/cover1.jpg","permalink":"https://jackwu925.github.io/posts/english-learning/speaking/","summary":"Recording the learning process is always my personal preference. Anyone who has the needs to practice speaking can use these records if it helps.\rEvery single word was basically typed by hand through listening. Please correct any mistake by mailing me ([email protected]) and thank you for the effort.\rPart2 No.1 Healthcare professionals\rYour browser does not support the video tag.\rSubtitles\rThe person I'd like to talk about is my cousin Sara.","tags":null,"title":"IELTS Speaking"},{"categories":null,"contents":"\rAt USTC after a rainstorm, I tried to take a time-lapse of a rainbow while having dinner, so I left my camera next to the window. Although there was no rainbow in the end, the finished video was quite a surprise!😄\rVideo Your browser does not support the video tag.\rby Jack Wu\r","date":"August 7, 2024","hero":"/posts/travel-log/2024/0807/cover.png","permalink":"https://jackwu925.github.io/posts/travel-log/2024/0807/","summary":"\rAt USTC after a rainstorm, I tried to take a time-lapse of a rainbow while having dinner, so I left my camera next to the window. Although there was no rainbow in the end, the finished video was quite a surprise!😄\rVideo Your browser does not support the video tag.\rby Jack Wu\r","tags":null,"title":"Rain’s Afterglow"},{"categories":null,"contents":"\rHonestly, it's my very first time to come to the northern of Sichuan province. We spend three days this time, driving for 1,500 kms and never expected such endless happy.😄\r\u0026#x1f697; Car selection Toyota RAV4\r\u0026#x1f9ed; Self-driving map 👣Total mileage:About 1,500 kms\r\u0026#x1f4f8; Some moments ","date":"June 8, 2024","hero":"/posts/travel-log/2024/0607/cover.jpg","permalink":"https://jackwu925.github.io/posts/travel-log/2024/0607/","summary":"\rHonestly, it's my very first time to come to the northern of Sichuan province. We spend three days this time, driving for 1,500 kms and never expected such endless happy.😄\r\u0026#x1f697; Car selection Toyota RAV4\r\u0026#x1f9ed; Self-driving map 👣Total mileage:About 1,500 kms\r\u0026#x1f4f8; Some moments ","tags":null,"title":"Northern Sichuan"},{"categories":null,"contents":" Driving through western Sichuan, the winding roads reveal new scenery at every turn. The road is unpredictable, but each unknown holds a little surprise. \u0026#x1f697; Car selection Borgward (BX5) \u0026#x1f9ed; Self-driving map 👣Total mileage:About 2,000 kms \u0026#x1f4f8; Some moments ","date":"October 7, 2023","hero":"/posts/travel-log/2023/1001/cover.jpg","permalink":"https://jackwu925.github.io/posts/travel-log/2023/1001/","summary":" Driving through western Sichuan, the winding roads reveal new scenery at every turn. The road is unpredictable, but each unknown holds a little surprise. \u0026#x1f697; Car selection Borgward (BX5) \u0026#x1f9ed; Self-driving map 👣Total mileage:About 2,000 kms \u0026#x1f4f8; Some moments ","tags":null,"title":"Sichuan Grand Loop"},{"categories":null,"contents":" It has been a long time since I graduated. During my time in the US, I changed a lot, becoming more confident, understanding, and tolerant. I will never forget how different life is in the US. Moments ","date":"May 15, 2023","hero":"/posts/undergraduate-graduation/cover.jpg","permalink":"https://jackwu925.github.io/posts/undergraduate-graduation/","summary":" It has been a long time since I graduated. During my time in the US, I changed a lot, becoming more confident, understanding, and tolerant. I will never forget how different life is in the US. Moments ","tags":null,"title":"Graduation Ceremony"},{"categories":null,"contents":"Go Notes ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/go/_index.bn/","summary":"Go Notes ","tags":null,"title":"Go এর নোট সমূহ"},{"categories":null,"contents":"","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/_index.bn/","summary":"","tags":null,"title":"নোট সমূহ"},{"categories":null,"contents":"Bash Notes ","date":"January 1, 0001","hero":"/images/default-hero.jpg","permalink":"https://jackwu925.github.io/notes/bash/_index.bn/","summary":"Bash Notes ","tags":null,"title":"ব্যাশের নোট সমূহ"}]