What Is The Use Of Mobile Phone Gyroscope Zhihu (What Is The Use Of Mobile Phone Gyroscope)

Hello, now Cai Cai is here to answer the above questions for you. What is the use of a mobile phone gyroscope? Zhihu, what is the use of a mobile phone gyroscope? I believe many friends still don’t know. Now let’s take a look!

1. The first major use is navigation.

2. Gyroscopes have been used for navigation since their invention. First, the Germans applied them to the VV2 rocket. Therefore, if combined with GPS, the navigation capabilities of mobile phones will reach unprecedented levels.

3. In fact, many professional handheld GPSs are now equipped with gyroscopes. If the corresponding software is installed on the mobile phone, its navigation capability is no less than that of the navigators currently used on many ships and aircraft. The second largest use is that it can Used in conjunction with the camera on a mobile phone, such as anti-shake, this will greatly improve the phone's camera capabilities.

4. The third major use is as a sensor for various games, such as flying games, sports games, and even some first-person shooting games. The gyroscope completely monitors the displacement of the player's hand to achieve various game operation effects.

5. Regarding this point, brothers who have used Nintendo WII must have a deep understanding of the fourth major use, which can be used as an input device. The gyroscope is equivalent to a three-dimensional mouse. This function is the same as the game sensor in the third major use. It's so similar that it can even be considered a type.

6. Extended information: The invention of the gyroscope: Now the gyroscope sensor in the mobile phone has evolved into a small chip, but when the gyroscope appeared, it was indeed a mechanical device.

7. At present, it is generally believed that the French physicist Léon Foucault (J.) invented the gyroscope in 1850 in order to study the rotation of the earth.

8. The gyroscope of that era can be understood as placing a high-speed rotating gyroscope on a gimbal. In this way, because the gyroscope remains stable when rotating at high speed, people can identify the direction, determine the attitude, and calculate the angular velocity through the direction of the gyroscope. .

9. The gimbal bracket can ensure that no matter how it rotates, the top will not fall over. The gimbal bracket can be traced back to the incense burner in China thousands of years ago.

10. After the gyroscope was invented, it was first used in navigation (airplanes had not been invented yet), and later in aviation.

11. Because an airplane is flying in the air, it is impossible to identify the direction with the naked eye like on the ground, and it is extremely dangerous to not see the direction clearly during flight, so gyroscopes were quickly applied and became the core of flight instruments.

12. During World War II, every country worked hard to manufacture new weapons. The Germans built missiles to bomb Britain. This was the prototype of today's missiles.

13. Flying from Germany to the UK, how can the missile fly and land in the target area despite such a long distance? So the Germans developed an inertial guidance system.

14. The inertial guidance system uses a gyroscope to determine the direction and angular velocity, an accelerometer to test the acceleration, and then through mathematical calculations, the distance and route of the missile flight can be calculated, and then the flight attitude can be controlled to try to make the missile land where it wants to go.

15. During World War II, computers and instruments were not very accurate, so the German missiles had a large deviation. They wanted to bomb London, but they bombed everywhere, which panicked the British for a while.

16. However, since then, inertial guidance systems with gyroscopes as the core have been widely used in aerospace. Today's missiles still have this set of things, and as demand is stimulated, gyroscopes are also constantly evolving.

How About Zhengtu Car Navigation→Top Ten Brand Network

Zhengtu is a vehicle-mounted smart product brand launched by Shenzhen Shanling Automotive Electronics Technology Co., Ltd. It has assembled professional technologies and resources in the industry at home and abroad to create safe driving equipment with high quality and affordable prices. It mainly produces GPS navigation, electronic dogs, Vehicle-mounted intelligent terminal products such as driving recorders and safety rearview mirrors.

Since its establishment in 2008, Shanling Automotive and Electricity Group has been focusing on the research and development, production, sales and service of automotive intelligent transportation and multimedia information systems. After seven years of hard work, Shenzhen Shanling Automotive and Electricity Group has brought together outstanding international R&D, design and manufacturing forces, and now has a complete core technology chain and value chain in the fields of GPS technology, intelligent transportation, automotive consumer electronics, etc., including basic data, terminals, etc. Software, cloud server systems and core terminal hardware technologies.

Zhengtu adopts Shanling DSA safe driving warning system, which is the strongest early warning software platform in China, with an industry share of nearly 80%. In the current market environment full of copycat navigation, please look for the Journey Navigation produced by Shanling Automobile and Electricity Group.

Zhengtu takes focusing on quality and life as its development philosophy, always advocating commitment, innovation and free of charge as its basis, and taking the changing needs of customers as its development orientation. It makes full use of the professional advantages of the DSA safe driving warning system to integrate new and complete data and high-quality The user experience is combined to provide customers with more personalized products and precise services.

Since the establishment of the brand, Zhengtu has focused on customer needs, pursued high-quality user driving experience, and provided complete products and real-time services to hundreds of millions of car owners as its corporate vision. It is dedicated to serving you. For example, it has opened 400 nationwide unified Service hotline for users to call us for feedback. Zhengtu also provides high-quality after-sales service with a 7-day no-reason guarantee, a 15-day replacement guarantee, and a one-year guarantee.none

Vue Development Example (11) El-menu Implements Left Menu Navigation

First-level menu implements the simplest first-level menu

When implementing the code in the previous Aside.vue, the first-level menu is actually very simple. Just use el-menu and el-menu-item. The Side.vue code is as follows:

<template>
    <div>
        <el-menu>
            <el-menu-item>一级菜单1</el-menu-item>
            <el-menu-item>一级菜单2</el-menu-item>
            <el-menu-item>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>
<script>
    export default {
        name: "Aside"
    }
</script>
<style scoped>
</style>

The renderings are as follows:

Set menu background color and text color

Set the -color and text-color properties in el-menu

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff">
            <el-menu-item>一级菜单1</el-menu-item>
            <el-menu-item>一级菜单2</el-menu-item>
            <el-menu-item>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

Set the menu text color after selection

Set the -text-color attribute, but the index attribute must be set in the submenu that needs to take effect, otherwise it will not take effect. Do not set the index first.

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b">
            <el-menu-item>一级菜单1</el-menu-item>
            <el-menu-item>一级菜单2</el-menu-item>
            <el-menu-item>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

You can see that after I click, the color of the menu text does not change. Now let’s add the index attribute.

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b">
            <el-menu-item index="1">一级菜单1</el-menu-item>
            <el-menu-item index="2">一级菜单2</el-menu-item>
            <el-menu-item index="3">一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

In the picture above, we can see that there is no selected menu at first. You can set the default selected menu by setting – to the corresponding index value. For example, I set the second menu to be selected by default, and the index of the second menu is 2. , so we add -="2" to el-menu

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" default-active="2">
            <el-menu-item index="1">一级菜单1</el-menu-item>
            <el-menu-item index="2">一级菜单2</el-menu-item>
            <el-menu-item index="3">一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

After refreshing the page, the second menu is selected by default

Add icon to menu

Adding icons to the menu will make our menu look more beautiful and comfortable. When it comes to the use of icons, you can refer to my previous article: Use of Icon in Vue Development Example (08)

Just use the i tag, add it in front of the menu name, XXX is the name of the icon.

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" default-active="2">
            <el-menu-item index="1"><i class="el-icon-location"></i>一级菜单1</el-menu-item>
            <el-menu-item index="2"><i class="el-icon-document"></i>一级菜单2</el-menu-item>
            <el-menu-item index="3"><i class="el-icon-setting"></i>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

Secondary menu implements secondary menu

Modify the first-level menu 1 to the second-level menu

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" default-active="2" >
            <el-submenu index="1">
                <template slot="title"><i class="el-icon-location"></i><span>一级菜单1</span></template>
                <el-menu-item index="1-1">选项1</el-menu-item>
                <el-menu-item index="1-2">选项2</el-menu-item>
            </el-submenu>
            <el-menu-item index="2"><i class="el-icon-document"></i>一级菜单2</el-menu-item>
            <el-menu-item index="3"><i class="el-icon-setting"></i>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>

Modify the analysis [actually very simple]:

Change el-menu to el-button name, wrap the icon with a label, and add the slot="title" attribute, otherwise the menu style will be incorrect. Add two new el-menu-items.Three-level menu implements three-level menu

The modification method is the same as the secondary menu, that is, adding an extra layer

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" default-active="2">
            <el-submenu index="1">
                <template slot="title"><i class="el-icon-location"></i><span>一级菜单1</span></template>
                <el-submenu index="1-1">
                    <template slot="title"><i class="el-icon-location"></i><span>选项1</span></template>
                    <el-menu-item index="1-1-1">选项1-1</el-menu-item>
                    <el-menu-item index="1-1-2">选项1-2</el-menu-item>
                </el-submenu>
                <el-submenu index="1-2">
                    <template slot="title"><i class="el-icon-location"></i><span>选项2</span></template>
                    <el-menu-item index="1-2-1">选项2-1</el-menu-item>
                    <el-menu-item index="1-2-2">选项2-2</el-menu-item>
                </el-submenu>
            </el-submenu>
            <el-menu-item index="2"><i class="el-icon-document"></i>一级菜单2</el-menu-item>
            <el-menu-item index="3"><i class="el-icon-setting"></i>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>
<script>
    export default {
        name: "Aside"
    }
</script>
<style scoped>
</style>

Join related events

Open open, close close, select 3 events

Add three event attributes to el-menu and write the corresponding

<template>
    <div>
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" default-active="2"
                 @open="handleOpen"
                 @close="handleClose"
                 @select="handSelect">
            <el-submenu index="1">
                <template slot="title"><i class="el-icon-location"></i><span>一级菜单1</span></template>
                <el-submenu index="1-1">
                    <template slot="title"><i class="el-icon-location"></i><span>选项1</span></template>
                    <el-menu-item index="1-1-1">选项1-1</el-menu-item>
                    <el-menu-item index="1-1-2">选项1-2</el-menu-item>
                </el-submenu>
                <el-submenu index="1-2">
                    <template slot="title"><i class="el-icon-location"></i><span>选项2</span></template>
                    <el-menu-item index="1-2-1">选项2-1</el-menu-item>
                    <el-menu-item index="1-2-2">选项2-2</el-menu-item>
                </el-submenu>
            </el-submenu>
            <el-menu-item index="2"><i class="el-icon-document"></i>一级菜单2</el-menu-item>
            <el-menu-item index="3"><i class="el-icon-setting"></i>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>
<script>
    export default {
        name: "Aside",
        methods: {
            handleOpen(key, keyPath) {
                console.log("打开:",key, keyPath);
            },
            handleClose(key, keyPath) {
                console.log("关闭:",key, keyPath);
            },
            handSelect(key, keyPath) {
                console.log("选择:",key, keyPath);
            }
        }
    }
</script>
<style scoped>
</style>

Implement click menu jump

When you click a menu item, the corresponding page can be displayed in the Main window on the right.

Create 3 pages Main1.vue Main2.vue Main2.vue

<template>
    <div>
       这是Main1
    </div>
</template>
<script>
    export default {
        name: "Main1"
    }
</script>
<style scoped>
</style>

<template>
    <div>
       这是Main2
    </div>
</template>
<script>
    export default {
        name: "Main2"
    }
</script>
<style scoped>
</style>

<template>
    <div>
       这是Main3
    </div>
</template>
<script>
    export default {
        name: "Main3"
    }
</script>
<style scoped>
</style>

Configure the route and create .js under src. The main route index is created, which is the three index sub-routes of the main page entered. They are used for jumps and correspond to the main1 main2 main3 pages respectively. The jump position of the sub-route is the Main position of the index, because our management system only needs the Main position to change, and the header, left navigation, and bottom do not need to be changed.

.js is as follows:


import VueRouter from "vue-router"
import Index from "./components/Index";
const routes = [
    //一级路由
    {
        path: '/index',
        name: 'index',
        component: Index,
        //路由嵌套
        children:[
            {path: '/index/menu1',component: () => import('./components/Main1.vue')},
            {path: '/index/menu2',component: () => import('./components/Main2.vue')},
            {path: '/index/menu3',component: () => import('./components/Main3.vue')}
        ]
    }
]
const router = new VueRouter({
    mode:'history',
    routes
})
export  default router;

Configure this route in main.js to make the route effective

In the original Index.vue page, set the routing jump position. Here we can modify the bit -view in the original Main position.

Add routing configuration to menu

Here we use the first-level menu, which is simple and convenient, and modify the code of Aside.vue.

Add attributes to el-menu

In the index of el-menu-item, set the corresponding sub-route

<template>
    <div style="height: 100%;">
        <el-menu background-color="#545c64" text-color="#ffffff"
                 active-text-color="#ffd04b" class="el-menu-vertical-demo"
                    router>
            <el-menu-item index="/index/menu1"><i class="el-icon-location"></i>一级菜单1</el-menu-item>
            <el-menu-item index="/index/menu2"><i class="el-icon-document"></i>一级菜单2</el-menu-item>
            <el-menu-item index="/index/menu3"><i class="el-icon-setting"></i>一级菜单3</el-menu-item>
        </el-menu>
    </div>
</template>
<script>
    export default {
        name: "Aside"
    }
</script>
<style scoped>
    .el-menu-vertical-demo{
        height: 100%;
    }
</style>

We enter the index main route

Click on the left navigation menu

Handle the case where the default Main window is empty

When we first entered index routing, we saw that there was nothing in the main window.

This obviously doesn’t look good, so we can set the default jump position as follows:

Add a new route to the sub-route for default jump. Configure the value of this sub-route in the main route.

The above is actually a redirection operation. When the index route is entered directly, it will jump to the Main route by default, so that there will be a default page.

Below we only enter index in the address bar. After pressing Enter, "/Main" will be added by default, which directly redirects. At the same time, the page in the Main window also displays the page we specified.

summary

This section summarizes "el-menu implements left menu navigation". I hope it can be helpful to everyone. Please help me [Like] + [Collect] + [Check in the comment area]. If you are interested in joining Xiao Ming, If you are learning Java, [Follow the wave] to avoid getting lost.

Please go to the bottom of the article to help [one-click three links] Thank you!

navigation

✪ Vue development instance directory general index

An Enduring Theme, Here Are Some Pirate Games To Let You Experience The Fun Of Sailing

The pirate theme has been developing for a long time. As an old theme, it is still enduring. There are also many classic games in this genre. As a pirate game enthusiast, the editor will recommend a few today.

The first one is "Blue Horizon", which is an open world adventure game with themes of sailing and Pirates of the Caribbean. Players will lead their own fleet into the blue horizon of the Caribbean Sea to explore and find the coveted treasure. They will also have to go through all the obstacles to find the evil pirate leader – Bloodbeard, and kill him to avenge himself.

Standalone game Pirates of the Caribbean_Pirates game Caribbean Hunt_PC Pirates of the Caribbean game

The second one is "Trade Winds". The background of this game is set in the 18th to 19th centuries. Players need to run a maritime trading company and build their own business empire. The game combines two completely different effects, trade gameplay and naval combat elements, to bring players extraordinary fun.

Pirates game Caribbean Hunt_Stand-alone game Pirates of the Caribbean_PC Pirates of the Caribbean game

PC Pirates of the Caribbean game_Stand-alone game Pirates of the Caribbean_Pirates game Caribbean Hunt

The third one is "ATLAS". The editor privately believes that this is my favorite pirate game so far. The game impresses players both in terms of the production of graphics and the matching of sound effects, especially the battle scenes in the game. Talk about frame-by-frame feeling.

PC Caribbean Pirates game_Pirates game Caribbean Hunt_Stand-alone game Pirates of the Caribbean

Pirates game Caribbean Hunt_Stand-alone game Pirates of the Caribbean_PC Pirates of the Caribbean game

However, these are just superficial aspects of a game. If you want to firmly capture the hearts of players, personalized gameplay is a must. This game is defined as a pirate-themed survival sandbox game. Just from the official definition, we can unearth three main gameplays, one is survival gameplay, the second is pirate gameplay, and the third is sandbox construction gameplay.

What players are talking about the most is the naval battle gameplay of "ATLAS". If you want to realistically simulate an exciting and exciting naval battle, it is essential to depict the details of the sea scene. This game blends reality and fantasy without any sense of contradiction. Players can even see scene maps that are almost identical to reality. Of course, there will also be some legendary elements on the sea, such as ghost ships and skeleton crews that often appear in pirate movies. What do you think of these pirate games? Let’s talk in the comment section.

Android Third-party Weibo Client Collection

Sina Weibo official client

As the saying goes, "Know yourself and the enemy, and you will be victorious in every battle." Since we want to compare it with Sina's official client, of course we must first summarize the main functions of the official client. Here we choose Sina Weibo HD as a reference.

Taking the web version as an example, its main functions are: posting new Weibo posts, commenting on or forwarding Weibo posts, searching for Weibo posts or users, accepting and sending private messages, etc. These main functions have all been implemented in the official client.

▲Create a screenshot of the new Weibo interface.Supports instant photo taking or uploading pictures from the gallery

▲(Left picture) Click the "@" symbol to select users who have been @ recently. (Right picture) The basic emoticons in Weibo have also been transplanted to the client, and it also supports adding geographical information to Weibo.

▲The picture on the left is a screenshot of "@My Weibo", and the picture on the right is a screenshot of the private message interface

▲The picture on the left is the search interface, you can choose to search Weibo content or user names; the picture on the right is a screenshot of hot topics

▲Supports viewing Weibo in groups or by content type.

▲Users can set font size and software reminders

Editor’s thoughts after using it:

As can be seen from the above points, the official client of Sina Weibo is basically the same as its web version. After testing by the editor, the application supports functions such as GIF picture display, group viewing of messages, and multi-account management, which can fully meet the daily needs of users.

Fuubo

Fuubo is a Weibo application that has attracted much attention recently. Its simple and elegant application interface has attracted the favor of many users.

▲ Push to the right and you will see the personal homepage, collection, search and draft box options; push to the left and you will see the notification switch, settings and exit (Weibo messages are still loading at this time)

▲Weibo viewing interface, you can view Weibo by group

Screenshot of the search interface.Click the icon on the left side of the input box to choose to search from username or Weibo content

▲Long pressing the home button will pop up a menu selection circle, which is a good design

▲Settings menu.Users can customize the image quality and storage path; left-handed users can choose their left-handedness, which is very considerate.

▲Long press the user account to display the settings menu. Delete the user and log out of the Weibo account.

Editor’s thoughts after using it:

Fuubo is a Weibo client with a simple style. Every function is a must, and it is at hand, so you can use it at any time. After testing, the Weibo application supports GIF picture playback. Posting new Weibo also supports basic functions such as geolocation and inserting emoticon pictures, but it does not support the private message function. For users who don’t often use private messages, Fuubo is a good choice.

Paginated navigation

Weico

In the introduction, the editor mentioned that there will be "seniors" who have achieved outstanding results in this field, and this Weibo application is the famous weico.

As one of the earlier batch of Weibo clients, Weico now has a series of derivative products, including Weico Weibo client, weico+weicopai, Weico GIF and Weico. These products are closely linked, making users’ The viscosity is greatly improved.

▲Weibo viewing interface.The menus are concentrated in the lower row; push to the left to reveal several options for posting on Weibo. You can choose to post a new Weibo based on text, pictures or geographical location.

▲(Left picture) Posting on Weibo supports puzzles; (Right picture) Weico supports private messages

▲Viewing Weibo does not support grouping, but it supports viewing Weibo by content type; weico has classified and integrated recommendations based on Weibo content.

The messages in the recommended content are not necessarily posted by accounts that users follow. For example, the women's category contains fashion or beauty information related to women. This integration facilitates users to view content they are interested in, and also helps some Weibo accounts related to the category increase their exposure.

▲The picture on the left is the search interface; the picture on the right is the setting interface, where fonts, pictures and push can be set

Editor’s thoughts after using it:

As a veteran Weibo client, the Weico client has the advantage of being fully functional, but the editor is a little surprised that it does not support viewing Weibo in groups (or is it because I didn’t find it?!). The classification and recommendation of Weibo content is impressive. This integration saves users the trouble of searching and filtering among massive amounts of content. The function of posting meager puzzles is also very convenient. Combined with the weico series of image processing applications, it is very suitable for users who like to take pictures.

Paginated navigation

4th dimension

Thinking about the inscription on Weibo as "from 4th Dimension", the name 4th Dimension left a deep impression on people. This Weibo client also takes a simple route, but its functions are not reduced at all. First, let’s introduce a very unique function – convert text to image.

▲The picture on the left is a screenshot of the operation interface, and the picture on the right is a screenshot of the actual effect. After typing the text in the Weibo writing interface, you can choose to convert the text to a picture. However, the image quality is not very good and needs to be improved in the future.

▲ (Picture on the left) You can add emoticons when writing on Weibo. This tag menu is very unique and I can’t help but share it with you; (Picture on the right) Go to the key points of a certain Weibo post and select favorites in the menu.

▲Screenshot of Weibo viewing page.Click the username in the upper right corner to enter the Weibo view menu by group

▲The image will be compressed. Click on the original image to view it in its original size.The difference in this picture is not big, you can feel it clearly when you read the text.

Editor’s thoughts after using it:

4D is also a Weibo client that does not support the private message function, and it does not have a search function. However, the feature of converting text to pictures is very suitable for "chatty" users, so you no longer have to worry about the 140 character limit. I was looking at Weibo and making complaints. After using it for an afternoon, I felt that 4D was very easy to use. Could it be that I am also a legendary "chatty" user? !

Paginated navigation

bunny elf

When searching for third-party Weibo applications, the editor passed by Tutu Wizard several times. Who would have thought that this name does not belong to a system optimization application but a Weibo client. After downloading, the editor has a feeling: Fortunately, I didn’t pass it by.

▲Weibo viewing interface.The color scheme reminds me of Youku. New comments will be prompted with the word "new" in red.

In the single Weibo viewing interface on the right, you can see the number of retweets and comments on the Weibo. Clicking it will jump to the retweet or comment interface. It is really a big pity that you can't see other people's retweets and comments. I hope you will in the future. be improved.

▲Special attention is a special feature of Tutu Elf. You can quickly see the Weibo posts of users you are interested in.

▲(Left picture) The Weibo writing interface supports GIF picture shooting; (right picture) The link can be copied to the short address conversion bar without worrying about its impact on the word count.

▲(Left picture) After selecting @, a list of recent or everyone will be listed; (right picture) You can select other accounts in the WeChat posting interface

▲The playback function is the feature of Tutu Elf that impressed me the most

The playback function is an advanced function of the Tutu Elf page turning mode. After entering the page turning mode, viewing Weibo is like reading a page of a book. You need to slide your finger to the left to view the next Weibo. The playback function allows users to free their hands and automatically play one Weibo post after another. If the user encounters content of interest, he or she can pause the playback function by performing any operation on the screen, and then check the Weibo post of interest in detail.

▲Tutu Elf supports searching Weibo or users

Editor’s thoughts after using it:

Tutu Wizard is the Weibo client that has brought me the most surprises. Among them, the convenience of posting Weibo, special attention and playback functions have won the heart of a lazy person like me. It should be noted that Tutu Elf does not support the private message function, but the editor thinks that lazy users who prefer the playback function may not have the habit of using private messages often…

Paginated navigation

friendly reminder

All third-party Weibo clients will ask users for Weibo authorization when logging in. Users should carefully look at the authorization options required by the Weibo client. The editor below will give you a friendly reminder using 4D as an example:

▲You must read the authorized content clearly and know what information the application will obtain from the user.

▲Some clients will ask for authorization to follow their official Weibo account

Generally speaking, not allowing authorization or ignoring certain parts of authorization will affect the normal use of the client, or make it impossible to log in. Understanding authorization is mainly to give users a clear idea. If users find that some authorized content exceeds the necessary permissions to use Weibo, they should be more vigilant about the client, or give up the client directly.

There are a lot of third-party Weibo clients for Android applications, but the overall design and usage experience are still some distance from the Weibo clients on the iOS platform. I hope that these third-party Weibo clients collected by the editor today can bring you more choices besides the official Weibo client. While you are constantly browsing Weibo, I also advise you not to just fix your eyes on the screen. Put down your electronic devices occasionally and communicate more face-to-face with your relatives and friends. You may have different feelings.

Paginated navigation

[Guild Wars 2] Beginner's Guide – Start With Obtaining Sublimated Equipment

Foreword updated on 2022/08/29:

Most of the cuties are directly linked to this guide when driving in the guild. Please do not click on the favorite and go out directly! ! !

It’s not just about sublimating equipment. This guide covers 80% of the game content that newbies can access after level 80 and before making legendary equipment. Guild Wars 2 is an open world game, and you need to have clear game goals to have a better experience. To enjoy the game, if you have doubts, why do you want to make an epic? Why break the layers? Why download this book? What's the use of achievements? What is the brand for? Or maybe you don't know what to do? , it is recommended that you read this guide to the end and follow it, I believe you will gain greater enjoyment from the game.

I hope to write a guide for pure cute newcomers, hoping to be able to solve most of the early problems of cute newcomers in one stop. This is also my original intention of writing it. If you don’t understand it when reading it or I wrote it wrong. Where, please be sure to leave a message under the column, or send an in-game email (meimeibumeng.5076) to help me improve it better. I will update the strategy regularly, thank you all.

Hello, all my cute little friends, since there are too many newbies who are confused about how to obtain sublimation equipment, and there are very few clear and comprehensive strategies on the Internet for newbies to refer to (mainly because they are too tired to type every day), a long time ago I came up with the idea of ​​writing a useful guide for newbies who have just entered Guild Wars 2, so I came up with this column. I hope it can help the newbies. If there is anything wrong with the writing, you are welcome to correct me. .

Overview:

1. Necessary knowledge explanation and tool download

1.0 on voice! On the voice! On the voice! Say important things three times! ! !

1.1 Game related plug-ins (navigation, mouse plug-in, DPS display plug-in)

1.2 Common websites for teaching a man how to fish are Xingjiao Island (common strategies), Guild Wars 2 Chinese Wiki (gap corrections and epic plot strategies), (equipped with BD loop). Don’t watch videos at station B and copy homework! ! !

1.3 Regarding the selection and differences of equipment attributes

2. Sublimated Armor and Sublimated Weapons

2.1 Get the first deposit on the official website [Recommended]

2.2 Newbie Guidance Task [Must Do]

2.3 Northern Sixth Company and Tingshi Fourth Company [Daily & Weekly]

2.4 Fractals & Ten-player version [Advanced]

2.5 Production through sub-professions [not recommended]

3. Sublimation jewelry, necklaces, rings, backs

3.1 Hunger & Blind Worship [Recommended]

3.2 Fractals & Ten Players [Advanced]

3.3 Bloodstone Swamp (Bloodstone) & Cold Frontier (Fruit) [Daily]

3.4 Siren Platform Back [Recommended] (Updated on 08.29)

3.5 Podra Border (Eternal Ice, Digging Ice) [Follow the Fate]

3.6 Laurel

3.7 Wedding rings

3.8 Land of the Fallen Dragon [Recommended] (Updated on 08.29)

4. Final demining time

1. Necessary knowledge explanation and tool download

1.0 on voice! On the voice! On the voice! Say important things three times! ! !

Typing is really tiring! ! ! ! ! !

FAQ: Guys, what should I play after level 80 in this game? Guys, what should I do if I don’t have any jewelry? Guys, are there any sisters in the guild? …….

Meng Xin said a word, and the boss typed for two hours… We all need to understand each other. Many people are doing tasks and fighting when playing games. Many times there is no way to type a reply. Meng Xin raises questions and no one responds. It’s hard to fight. 2 is a game with a very good atmosphere. As long as you are willing to ask, everyone will be willing to tell you. However, please be sure to use audio! ! !

You don’t have to speak, but you must be able to! listen! arrive!

Asking in the guild voice channel is better than any guide you can find online.

On the voice! On the voice! On the voice! Say important things three times! ! !

The voice software currently used by the guild is YY, which can be used on mobile phones and computers. Guild Wars 2 is a game, so please be sure to prepare your voice software.

YY channel: (nuannuan)

Guild voice related information: The sixth icon in the upper left corner of the game interface, click on the guild to view the guild announcement. After entering the YY channel, please type in the in-game guild channel to request a vest. The channel administrator is basically online all day long. Please say a message Tuberculosis, don't be an orphan.

Guild interface entrance

1.1 Game-related plug-ins (navigation, DPS display plug-ins)

This is a must-have plug-in for newbies. Basically, every player who plays Guild Wars 2 has one. It greatly improves the game experience. The guide below will assume that you have at least installed the navigation plug-in. Please download it yourself. Don’t ask. If you ask, your account will be banned. .

Xingjiao Island plug-in download address:

It is recommended to use Blish for navigation. It integrates many functions and can be studied by yourself.

Navigation plugin

Navigation plug-in effect

It is recommended to go directly to Aunt Xue’s QQ group to download the DPS plug-in. Of course, it won’t affect anything if you are new to it, so I won’t expand it.

1.2 Common websites for teaching people how to fish are Xingjiao Island (common strategies), Guild Wars 2 Chinese Wiki (gap corrections and epic plot strategies), (equipped with BD loop). Don’t watch videos at station B and copy homework! ! !

Star Cape Island is a must-have website for almost all Guild Wars 2 players.

Guild Wars 2 Chinese Wiki, this is a better guide for making epic plot achievements. It has more content than Xingjiao Island, but it is not as intuitive and easy to use as Xingjiao Island.

%E9%A6%96%E9%A1%B5

, the best BD, equipment, and cycle query website. The website is updated frequently. If you don’t know how to add points or how to choose equipment attributes, remember to go there.

Don’t look for assembly videos on site B. This game is constantly being updated, and many of the guide videos are unusable in the current version.

1.3 Regarding the selection and differences of equipment attributes

Before studying how to obtain sublimated equipment, you need to know what attributes the sublimated equipment you need has (I have put the description of the specific attributes of sublimated equipment in the reference material).

The difficulty of obtaining different attributes of equipment is different. For newbies, basically all equipment attributes are the following four.

For direct damage BD berserkers: powerful and precise critical hits

For Symptom BD: Viper: Power Symptom Damage Accurate Symptom Effect

For Support BD: Bard: Tenacity Healing Stamina Buff

For the old salted fish support: Harrier: Power healing buff effect

The easiest attribute to obtain is the berserker attribute, because the berserker attribute is a Tyrian attribute (of course newbies don’t need to know what a Tyrian attribute is), and the others are all DLC attributes, which are slightly more difficult to obtain.

And the current version is generally strong in direct damage (yes, Ding Zhen is talking about you) (2022.08.19), and it is relatively easy to obtain equipment, so it is recommended that newbies choose direct damage BD for their first set of BD and use equipment with Berserker attributes.

So please see here, there must be newbies who want to copy the homework again. Please go back to 1.2 of this article to open it and copy the homework again.

In the following strategies, I will use the new attributes and the old attributes to refer to them uniformly. Among the attributes listed above, the berserker belongs to the old attributes, and the other three (viper, harrier, and bard) are new attributes.

For a detailed explanation of equipment attributes, please see the reference materials. It will not affect you if you don’t read it.

Equipment attributes

References:

Xingjiao Island: Sublimation Equipment

Xingjiao Island: Equipment Attributes

[Strategy] List of equipment attribute names (purely hand-made) Author: sf Qiu Feng Shuang

2. Sublimated Armor and Sublimated Weapons

First of all, don’t buy specific! Don't buy special! Don't buy special! Important things to say three times. It is very difficult to obtain a set of sublimated equipment in Guild Wars 2. A set of special equipment with suitable attributes is very expensive and not cost-effective, so either use yellow equipment or directly sublime equipment. Please abandon the special equipment. options.

2.1 Get the first deposit on the official website [Recommended] (old attribute)

68 yuan will give you 5 sublimated armor boxes, 1 sublimated weapon box and other practical props such as VIP Backpack Bank Expansion Tutor's Book*30. It is highly recommended to recharge, which can greatly reduce the waste time in the early stage of the game. After all, this Most of the game content can only be started after 80 and after all the equipment is available.

For details, please see the official website link of the first deposit activity:

Of course, it is best to recharge 100 gems, because the official website will have a recharge rebate event twice a month, each time for half a month. 100 yuan can get you 3125 more gems. Of course, you can also consider directly recharging 500. Of course, you can also Consider recharging 650 directly.

2.2 Newbie Guidance Task [Must Do]

Press O in the game to open the Black Lion Trader's Guild. In the activity center in the upper left corner, there are activities and new guides. Completing the tasks here will give you a sublimated armor treasure box and a sublimated weapon box.

Advice for newbies

1. Dragon Slaying Heroes: World BOSS – Defeat the Dark Ghost Swallowing Tuo Sublimated Weapon Box

2. Dragon Slaying Hero: Jumping Leap – Find and complete any Jumping Leap sublimated armor box on the map

3. Dragon Slayer Heroes: Dungeon Adventure – Complete two routes of any five-player version to sublimate the armor box (the guild will send out the armor box from time to time, remember to call the boss for help)

4. Dragon Slaying Heroes: Mist Fractals Adventure – Complete any fractal sublimation armor box

5. Itzel Frog and Magic Mushroom Raider One-Handed Weapon Treasure Box

6. Battle of Maguuma: Nuhochi Frog Mud Pond Raider Two-Handed Weapon Treasure Box

Among the above, if you don’t know how to type, remember to ask the guild for voice chat! On the voice! On the voice! Say important things three times! ! !

There are three armor boxes and three weapon boxes in total. Please note that the sublimated armor boxes and sublimated weapon boxes given in 2.1 and 2.2 can only select the old attributes (although the raider does not, but the raider box does not have the viper, there are Harrier), if you need the attributes of viper or bard, you need to change the attributes yourself (3-4G one piece). It is strongly not recommended to change attributes. Instead of changing attributes, it is better to get a new one (one BD is not enough in this game) ).

About the equipment attributes in sublimated armor/weapon boxes (old attributes):

Old properties before October 2015

Other box attributes: [Guild Wars 2] List of optional attributes for Raider, Sinister, Healer, and Defender

Strategy for changing attributes: Xingjiao Island changing attributes/opening holes

2.3 Northern Sixth Company and Tingshi Fourth Company [Daily & Weekly]

a.Northern Sixth Company

The Sixth Company of the North refers to the offensive mission opened in the Eye of the North [&=]. There are six copies in total. The overall difficulty is low. According to my actual experience of driving a stroller, five people can basically fight it, so the newbie can survive it. .

The Sixth Company can be called once a day. Someone from the guild will send the bus every day. Those who are not able to get on the bus can type in the guild and ask the boss to lead the Sixth Company. The whole journey takes about 20 minutes. If you are new, please be sure to listen to the voice command!!!

From my personal experience, I really can’t help a newbie who doesn’t know how to speak = =

Northern Sixth Company

The main rewards for the sixth consecutive series: Eternal Ice (its use will be discussed later), Blue Prophet Crystal Shards,

Use blue prophet crystal fragments to exchange for sublimated armor and weapons (both old and new attributes) from the merchant of the Northern Eye: Crystal Sketcher Smokey

NPC who exchanges sublimated equipment

Sublimated Armor

Sublimated weapons

Please note that different weapons and armors have different prices, so if possible, please try to use the sublimation boxes obtained in 2.1 and 2.2 to exchange for chest armor or pants and two-handed weapons, and use the Six-Link brand to exchange for other cheaper parts.

After killing the BOSS of the Sixth Company in the North, a treasure chest will drop. You need to reach level 3 of the Blue Specialty's Tenacity Essence Control, Courage Essence Control, and Vigilance Essence Control to get all the rewards (you can't get them all if you don't reach level 3). In the treasure box The rewards are important materials for redeeming sublimated jewelry, so be sure to fill them up in advance.

To obtain Blue Specialty, please check the guide by yourself. Search the southern forest of Yusen Coast for Blue Specialty experience. After a few rounds in the south, there are G and experience. Newbies can go there.

b. Pavilion Stone Four Links

The Fourth Company of Tingshi refers to the offensive mission started in Tingshi [&=]. It requires the Dragon's End DLC to unlock. The difficulty is slightly higher than that of the Sixth Company. It requires newbies to have at least a certain equipment foundation. Of course, you can also lie down. = =, The Liushui series weapons obtained in the fourth consecutive round all have new attributes, and you can choose the attributes you want.

Remember to listen to the audio. If you don’t want to lie down, you can watch the video guide of the Harvest Temple. For others, just use the audio to teach on-site.

Tingshi just needs to make one daily recommended copy every day. You can press H to check in the achievement panel.

Pavilion Stone Four Links

Daily recommendations

The fourth company of Tingshi has a high probability of directly dropping the sublimated weapons of the Liushui series, and after clearing the dungeon (it seems okay if you have not played it before), you will be given green prophet crystal fragments as a reward, which can be redeemed at the NPC Sazier of Tingshi.

Redeem NPC

running water weapon

Green Seer Crystal Shards can be exchanged for Blue Seer Crystal Shards at a 1:1 ratio at the Crystal Sketcher Smokey in the Eye of the North.

Newbies, please take six consecutive rounds and one Cansan recommended attack every day as the most important daily goal to complete. It will greatly increase the speed of obtaining sublimation equipment, and you can practice the operation to be accurate for subsequent copies.

If you've gotten this far, remember to install a DPS plug-in.

Also, get on the audio! On the voice! On the voice! Say important things three times! ! !

2.4 Fractals & Ten-player version [Advanced]

Every day, level four fractals have a probability of dropping a sublimated armor box. After killing the ten-player BOSS, there is a probability of dropping sublimated equipment. The ten-player fractal brand can be exchanged for sublimated equipment. The advanced content will not be expanded here.

Suggestions for newbies, before your pain resistance reaches 150, if you have nothing to do, please recruit a new self-strengthening team of organizational fractals. Do a dozen of the daily routines and recommendations of the first-level fractals every day. While familiar with the mechanism, You can also accumulate a small amount of broken-layer brands, which is of great help in exchanging sublimated jewelry.

After the resistance reaches 150 (you need to open a hole on each back of the ring, infuse the whole body with +9 pain resistance, and take medicine to reach 150), please go to the guild channel as soon as possible and ask the boss to bring the broken layer, and jump directly from level 1 By level 4, level 3 fractals are particularly difficult, and everyone knows it.

On the voice! On the voice! On the voice! Say important things three times! ! !

Hole opening strategy: Xingjiao Island property transfer/hole opening

2.5 Produced through sub-professions [not recommended]

The newbie lacks materials in the early stage. It takes about 30G to reach level 500 in the sub-profession. It is very troublesome to check many strategies. Moreover, one hand-made sublimation may cost dozens of G. Different people have different opinions. I will not go into details here.

Xingjiao Island secondary occupation:

3. Sublimation jewelry, necklaces, rings, backs

3.1 Hunger & Blind Worship [Recommended]

These two achievements are the easiest to obtain among all sublimation jewelry, the fastest to obtain, and the most diverse attribute selection. It is highly recommended for newbies to complete them as quickly as possible.

Both achievements are completed at the border of Podra

a.Hungry

Press H-Achievement on the game interface to search for Hungry. After completing this achievement, you can purchase the Esge Necklace (new attribute) at the ruined hut [&=] on the border of the mission NPC Brightshaw Podra. The price is 56,000 karma + 375 eternity. Ice (can be obtained through Northern Sixth Company & Eastern Breakthrough Drak, or map collection, see 3.2)

This achievement can be unlocked only after purchasing and completing the Epic Chronicles – Icebrood Legend – Whisper of Darkness plot.

Epic Documentary-Dark Whispers

hunger achievement

Brightshaw and Esgui Necklaces

For hunger tips, please refer to:

Xingjiao Island Hunger Guide

b. Blind worship

On the game interface, press H-Achievement to search for Blind Worship. After completing this achievement, you can go to the Still Water Sound Teleportation Point [&=]

Purchase the Aisji Amulet from NPC Shi Qian (both old and new attributes are acceptable), priced at 56,000 Karma + 375 Eternal Ice

This achievement can only be unlocked after purchasing and completing the Epic Chronicles – Ice Nest Legend – Shadow in the Ice plot.

Shadow in the Ice

blind worship

Shi Qian and Aisji Amulets

The Blind Worship achievement requires finding 35 Dolma statues. The locations and search order are as follows. It is recommended to find them one by one in order, otherwise you will have to run them all again if you miss one.

It is not recommended to watch any strategy videos here. Look at the picture below (reprinted from the Guild Wars 2 Chinese wiki), open the navigation and find them one by one in order.

The order of blind worship

New users may feel that the navigation contains too much content and cannot see the map clearly. It is recommended to turn off other unnecessary options when doing blind worship. It is recommended to set the settings as shown below

Navigation settings

After adjusting the settings, the big map markers are very clear

Reference: Guild Wars 2 Chinese Wiki Blind worship%E7%9B%B2%E7%9B%AE%E5%B4%87%E6%8B%9C

3.2 Fractals & Ten-player version [Advanced]

At fractal merchant BUY-2046, you can use 10 original fractal antiquities to purchase a sublimated ring with fixed old attributes. The crystal jade ring and the ring of red death have berserker attributes (powerful blast). Please note that rings with the same name You can only wear one at the same time, please don't change the wrong one.

Level 1 fractals have a chance to directly drop a sublimation ring with fixed attributes. If you are good at it, you may drop it directly after one hit.

Original fractal antiquities are obtained by playing daily & recommended fractals. If you don’t have pain resistance and can’t fight high-level fractals, no one will guide you. Therefore, if you are a newbie, be sure to build more level 1 self-strengthening teams in the early stage. After you have accumulated enough fractal brands, , punch holes (requires a certain number of brands) to quickly increase the resistance to 150 and enter the strategy for level 4 fragments as soon as possible.

BUY-2046

Of course, you can also buy sublimated equipment with optional attributes here, but the price is relatively expensive, so don’t consider it at the new stage.

Just take a look at the new ones

One thing to mention, the brand magnet fragments in the ten-person version can be exchanged for sublimated jewelry and sublimated necklaces, which also have fixed old attributes. However, people who can play the version should not need to read my guide. 0 0, I won’t expand it and write it. If necessary, you can do it by yourself Go to Lion's Arch Airport and find the Magnet Fragment Merchant.

3.3 Bloodstone Swamp (Bloodstone) & Cold Frontier (Fruit) [Daily]

Most of the guides that newbies can find ask you to go to these two maps to collect bloodstone swamp [blood rubies] and cold front [fresh winter berries] respectively. Please remember to go there every day.

The collection has a 20-hour CD, which is not a fixed time. Each character has a separate CD for fresh winter berries. If there are many characters, five or six trumpets can be mined together.

To unlock the two maps, you need to purchase World Dynamics Season 3 1 Beyond the Shadows 3 A Crack in the Ice. Just buy it and you don’t need to do the plot.

Through bloodstone/winter berry + unconstrained magic, you can directly exchange for sublimated equipment with the attributes of your choice (both old and new), and the equipment replaced by the bloodstone swamp can be purchased with 100 unconstrained magic. The bloodstone capacitor can be converted into attributes, Jianghu Known as a little legend.

The contents of 3.1 and 3.2 can very well solve your necklace, jewelry, and ring problems, but the back is the most difficult thing to obtain in the early stage for newbies, so please try to give priority to changing the back for the brands in these two pictures. (Of course, it’s also good to buy an endless loop directly from the official website for 299)

Before running, remember to go to the guild hall to change a collection booster.

Enter the guild hall this way

Little Pepper thoughtfully placed a mirror, F him

Bring this with you when collecting, and bring this with you at ordinary times to gain experience.

Of course, if you are not a friend of the Nuannuan guild, you can ask people in your own guild to find out where the pub is 0 0

Also, please don’t run away from the video. The navigation is so easy to use. Navigation settings are attached.

Bloodstone Swamp:

Bloodstone Swamp Route Settings

The NPC is here at the Tomb of the Penitent in Bloodstone Swamp [&=] (fly here from the spaceship)

Craftmaker Raka The Untethered Magic Collector

Cold front:

Cold front route settings

NPC is here at the Eclipse of Sorrow teleportation point [&=] (it’s upstairs, you need to go upstairs)

Slusu's Untethered Magic Gatherer

Another very important thing is return. Completing the level 3 mission of return can directly give you 250 tokens. The path to return is as follows, do Return to Bloodstone Swamp and Return to Cold Front.

Return to the Bloodstone Swamp Trail

If the unfettered magic is not enough, I suggest you get a set of unfettered tools for newbies. A set costs 4900 karma. When collecting, you can bring unfettered magic with you for free. I have posted a link so that you can go to these by yourself. Check out the place.

Just take a look

Guild Wars 2 Chinese Wiki: Unchained Mining Pickaxe%E7%89%A9%E5%93%81/%E6%97%A0%E7%BE%81%E9%87%87%E7%9F%BF%E9%95 %90

3.4 Siren Platform Back [Recommended]

The Kraken Platform is a really nice place, because I have never done a Kraken Back before, and I have always had misunderstandings about this place. In a word, the Orr Pearl on the Kraken Platform is the best choice for getting a pink back in the early stage.

The Kraken platform recycles the camp teleport point [&=]. You need to purchase World Dynamics Season 3 6. End of the Road to enter. There are a total of 5 love mission merchants on the map. After completing the love mission, you can purchase the following 5 backs (attributes of your choice) from the NPC: Back – Balthazar Antiquities, Back – Devina Antiquities, Back – Melando Antiquities, Back – Ancient Lance Antiquities, Back – Lisa Antiquities (each requires karma, 200 ohr pearls).

Or Pearl can be obtained through map collection/purchasing it with karma from the love merchant after completing the love mission.

Loving Merchant Location on Siren Platform

After collecting all five backs, you can obtain the sublimated back – Abaddon Antiquities through the achievement [Antiquities Collector].

After completing five love tasks, you can go to the middle of the venue to gamble, and you can get some extra Or pearls. If you have a good face, you can get two hundred at a time.

Each character can do a love mission every day. If there are many alts, it won’t be a problem to get a few pink backs in a day.

gambling location

At the same time, the Kraken platform also has corresponding map and brand collection routes. You don’t need to do this, and navigation is included.

Kraken Platform Navigation

In addition, in fact, the best way to get the back is to quickly make the legendary back endless loop. This is also the first legendary thing recommended for newbies to make after entering the pit. It requires a certain accumulation of fractal brands. The prerequisite tasks of the endless loop are simple ( It can be done in one day), and the synthesis is relatively cheap. Friends who need to know about it will not go into details here.

Star Cape Island Endless Loop Guide:

3.5 Bozora Border (Eternal Ice, Digging Ice) [Follow the Fate]

Zora Fortress teleportation point on the border of Bozora [&=] The map allows you to collect eternal ice and open boxes (requires blue specialization)

You won’t be short of ice when you fight Sixth Company and Eastern Breakthrough Drak every day. If you really need to dig, it’s fine. It’s more than 300 at a time. This is used to exchange for the equipment of hunger and blind worship. Of course, the eternal ice has other uses. , I won’t go into details here.

Attached navigation:

eternal ice route

3.6 Laurel

Many guides you check online will let you exchange laurel crowns for equipment. For newbies, there are generally not many laurel crowns and there are very few ways to obtain them (it seems they can only be given by signing in). Generally speaking, it is recommended to exchange laurel crowns directly. Regarding the infusion of enrichment slots, such as world war experience or treasure discovery rate, I don’t recommend that newbies use laurel crowns directly for sublimation equipment. Of course, it’s okay if you are short of them. It’s a matter of opinion.

The sublimated equipment exchanged for the laurels are all fixed old attribute equipment, which can be exchanged for necklaces, jewelry, and rings. However, there are actually simple ways to obtain them such as fractals, hunger, and blind worship. Necklaces, jewelry, and rings are actually not lacking at all.

Laureate merchants can be found anywhere. If you want to find him, come here. Lion's Arch Commodore area teleport point [&=]

A bit of a cheating laurel businessman

3.7 Wedding rings

It costs about 20G each. You can buy it directly from the auction house. You can get a sublimation ring by doing a very simple task. You can choose the attributes by yourself. You can consider buying it because I know that there is no shortage of sublimation for wedding rings, so I have never done it 0 0 , directly attached with the guide.

Xingjiao Island wedding ring:

3.8 Land of the Fallen Dragon [Recommended]

You need to purchase World Dynamics Season 4 6. End of the Road to enter, the teleportation point of the Pact headquarters [&=].

Using the fog-condensing mote from the map of the Land of the Dragon, you can exchange it for the fog-condensed ring (ring), the mist-charged treasure (accessory), which I choose to exchange for ice, and the offspring spike necklace (necklace), which I choose to exchange for ice.

Redeem sublimation jewelry merchant location

The guy who sells rings and things worth buying

By the way, strong magic is a good thing. The collection tools bought here can directly collect strong magic. There is no harm in saving more.

The advantage of the Fallen Dragon Land brand is that it can be obtained infinitely through breakthrough events, and can be collected on the map (by chance). It is very good to exchange it for a ring of optional attributes. As for necklaces and accessories, it is recommended to exchange it for Eternal Ice.

A brief explanation of the breakthrough in the Land of the Fallen Dragon. After occupying the map camp, start fighting Krakato. After killing Krakato, 12 BOSS will be refreshed on the map. You can get a large amount of fog by opening the fog treasure chest dropped by the BOSS after death. Motes and treasure chest keys are obtained by doing prerequisite events on the map. There is no need to go through the strategy. You can just follow the group and fight it when you see it.

Also a reminder, there is no flying dragon in this picture! Be careful! ! !

4. Final demining time

There are many strategies on the Internet. There are many ways to obtain sublimation equipment in this game, but many strategies are quite deceptive. For example, everyone must have seen the picture below, where they foolishly used petrified wood or jade fragments to obtain sublimation equipment. After the result, I had to dig there for a week.

Fooled countless cute pictures = =

The methods provided in this guide are enough for everyone to gather equipment. If there is a better way or there are mistakes in what I wrote, you can also send me a private message to communicate~

Finally, I would like to thank Nuannuan Guild for providing me with such a good platform. I would like to thank the leaders in the guild who have helped me. I also hope that the newbies who have seen the help of my strategy can continue to help others in the future. Thank you all~

Someone must fight with blood before there can be freedom in the world~

Yu-Gi-Oh Duel Link: The Rise Of The Dark Magician, The King’s Servants Are So Terrifying

Recently, the Yu-Gi-Oh Duel Link national server has launched a new rules battle gameplay. This rules battle can be said to restore the three God card owners of Muto Yugi, Kaiba Seto and Malik in the Duel City chapter. A wonderful competition, the three decks all contain God cards belonging to the characters, and also come with very interesting skills.

Today I am going to share with you the Black Magic deck that I like to play very much, and it is also very powerful in the current environment. This deck currently has a very high winning rate in the environment, and the Black Magician components are relatively complete. , I highly recommend everyone to go and have a great time.

【Servants of the King】

This deck is the Black Magician deck in this event. The strength of the entire deck is still quite high in the current environment. The most important thing is that the three ace cards of Guide Array, Navigation and Eternal Soul are gathered together. , it is still very popular for Black Magician players, so I will share with you the gameplay and development ideas of this deck.

[Master and Disciple’s Dark Magic]

In terms of skills, this new deck contains three original skills. Among them, when the black magician of the master and apprentice has less than 4000 life points, he can place a black magician or a black magic girl on the field from his hand, deck or graveyard. above, and retrieve the Black Explosive Magician from outside the deck and add it to the hand. If the cosmic whirlwind in the back hand is successfully activated, we can activate the scene instantly and cooperate with the Black Explosive Magician to deal with the scene and counterattack at the same time. That's it. To put it bluntly, it's quite powerful.

【Black Magical Array】&【Magician Navigation】

The core cards in this deck are the Black Magic Array and Magician Navigation. This combo is the most classic expansion of the Black Magic series. Through the summoning of the Magician Navigation combined with the retrieval + exclusion of the Black Magic Array to stabilize the field control, the effect of summoning the Black Magician to remove the target can effectively limit the expansion of most monsters, especially when encountering White Dragon and other structures. It is quite powerful. The advantages. Magician Navigation can also invalidate the magic trap effect shown on the face side in the current round by excluding this card in the graveyard. In the Black Magician Civil War, it can have a very good suppression effect in the first round.

【Eternal Soul】

In addition to Magician Navigation, Eternal Soul is also a very powerful card. Once per round, Black Magician can be specially summoned from the hand or the graveyard. Through this effect, we basically don’t have to worry about the scene, and this card It can ensure that the Black Magician monsters on the field are not affected by the opponent's effects. The stable resistance and certain R&D are still very comfortable. After the Sky Dragon is used to suppress the field, the Eternal Soul can be used in conjunction with the Sky Dragon to kill the opponent in seconds. However, it should be noted that the Eternal Soul will blow up all the monsters on our field when it leaves the field, so the resource investment should not be too much.

The operation difficulty of this deck is much lower than that of the deck carrying Black Girl. The addition of Magic Array and Eternal Soul also improves the retrieval and expansion capabilities of this deck. If you like this deck Construction, highly recommended to give it a try!

Why Have We Been Obsessed With This Type Of Game Since "The Age Of Discovery"?

You can always see players asking questions about the "Age of Discovery" anywhere.

From "Is "Age of Discovery 2" more fun, or "Age of Discovery 4" more fun?" to "Why isn't there a sequel to 'Age of Discovery'?" to "What spiritual sequel is there to 'Age of Discovery'?" ?", and "Are there any games similar to 'Age of Discovery'?".

As time goes by, the players' voices become more humble.

And this humbleness is inseparable from the decline of the "Age of Discovery" series itself.

In the early 1990s, "Age of Discovery" relied on the romanticism of the maritime theme and the high quality of the game itself to become a favorite among domestic players in an era when games were scarce.

And if we want to explore why the "Age of Discovery" series has been so successful, then the reasons must be complex and diverse.

First of all, let’s talk about the factors of the times. At that time, most video games were essentially just games that "test reaction speed through various forms", and there were very few simulation strategy games. "Age of Discovery" pioneered the integration of role-playing, simulation strategy and combat elements into the game, allowing the game to not only satisfy players who love simulation strategy, but also attract a large number of free users.

At the same time, the game quality of "Age of Discovery" itself is extremely high. The entire game has a degree of freedom that was very rare at the time. Players can become a real captain in it, embark on adventures on the vast ocean, and develop with various countries. Trade, and also fight other fleets, and eventually marry the princess. The rich game content and replayability have given "Age of Discovery" its own fan base.

In addition to the factors of the times and the quality of the game, the unique historical and humanistic care in the background setting of "Age of Discovery" is also the key to the success of "Age of Discovery".

Before the 15th century, different continents were almost isolated from each other. With the activities of a group of navigators and adventurers such as Columbus, Vasco da Gama, Diaz and Magellan, new routes were constantly opened up, and the East and the West began to engage in complex and contradictory exchanges in culture and trade. This period is known as the "Age of Discovery" – and to some extent, our current world structure has its origins in the "Age of Discovery".

Age of Discovery 6_Age of Discovery Sextant_Age of Discovery 6 Navigator

Fra Mauro's first maps of Europe, Africa and Asia

Therefore, for many people, the Age of Discovery is full of adventurism and romanticism. For modern players, if they want to experience this kind of adventure and romance, they can do so through various artistic media, and games are one of them.

"The Age of Discovery" is exactly a game set in the context of such an era.

But the glory of the "Age of Discovery" series did not last long. The entire series, in fact, began to be thrown off course by Koei-or Koei Tecmo after the millennium.

In 1999, "Age of Discovery 4" was released. In a sense, this is the last work in the "Age of Discovery" series.

In 2000, "Dynasty Warriors" appeared on the 2 stage, bringing a new game category to the world and glory: "Wushuang".

Under the brilliance of "Unparalleled", Guangrong soon discovered that making simulation strategy games is a thankless task. Compared with the huge audience of action games, the player base of simulation strategy games is too small, and the difficulty and cost of production remain high. This price/performance ratio is too low for a commercial game company.

As a result, Honor took the name of the "Age of Discovery" series and began its transformation, aiming at "multiplayer online".

As it turns out, this was not a mistake in judgment. Both "Age of Discovery" and the later web version "Age of Discovery 5" actually restored part of the experience of the "Age of Discovery" series to a certain extent. If we can continue to improve on this basis, then the online version The "Age of Discovery" series may also have its own future – who would hate adventures on the blue sea with countless captains?

Age of Discovery 6_Age of Discovery Sextant_Age of Discovery 6 Navigator

But it's obvious that Koei Tecmo doesn't think so. In 2019, "Age of Discovery 6" was released, demonstrating in a textbook way what it means to reverse history. From the picture performance to the adventure elements, from the trade part to the naval battle part, "The Age of Discovery 6" was unsatisfactory during the beta test, and almost lost all the features that the "Age of Discovery" series should have.

This is nothing more than a cry from some players, "Is there any game similar to 'Age of Discovery'?"

But the problem is that "similar to the 'Age of Discovery'" itself is a very difficult thing to do.

It is difficult to find similar works on the market, either they are covered in the "Age of Discovery" skin, but the core is completely lost – there are countless copycat games with the "Age of Discovery" name; The taste is right, but the subject matter is off – many space-themed games do feel good, but they are not set in the "Age of Discovery".

Overall, there are not many games on the market that can be used as substitutes for the "Age of Discovery" series. Whether it is "Sea Merchant King", "Pixel" or "Neo ATLAS 1469", they all have certain shortcomings in various aspects. If we really want to say that they can restore the "Age of Discovery" series, they are still far away.

What's interesting is that when I was looking for "What games are similar to 'Age of Discovery'" for this article, a reply caught my eye.

As a mobile game that has been in operation for four years – you know, for mobile games, four years of operation is not a short time, and this also proves from the side that this game must have merits – The gaming experience given to me by "Age of Discovery" is obviously much better than that of "Age of Discovery 6". It is even more like the original "Age of Discovery" than "Age of Discovery 5". And "Age of Discovery" is a game from 16 years ago. "The Great Voyage" while inheriting its core, also made innovations.

"Navigation", "naval battles", "adventure" and "trade", these four parts of the "Age of Discovery" series that players are most concerned about, are all displayed in "The Road to Discovery".

Age of Discovery Sextant_Age of Discovery 6 Navigator_ Age of Discovery 6

The visual performance of "The Great Voyage" is beyond doubt. The fully 3D navigation interface allows every detail of the ocean to be displayed. Whether it is changes in day and night, weather, or the dynamics of ocean water, they all appear extremely real. When you drive the ship through the waves under a bright moon, and then as the seagulls chirp and the sailing time passes, the dark sea surface glows with little scales, and the distant horizon begins to light up, you will know that a day has passed. .

And this reality is not only reflected when sailing. Different climate differences in different sea areas will also affect the architectural style of the port city, and this style is consistent with reality. The detailed modeling shows this fit. You can even see with the naked eye not far from the port. Leaning Tower of Pisa.

Similarly, the process of "naval battle" and "adventure" is also fully demonstrated in "The Great Voyage".

The "naval battle" system of "The Great Voyage" is somewhat similar to the "Legend" series. After encountering the enemy fleet on the big map, you must first make contact, and then enter the independent sea map for real-time battle. The entire combat system is very faithful to the true naval battle mode of the 15th century, because most ships at that time had naval guns on the left and right sides, so in "The Great Voyage", you also need to rely on the naval guns on the left and right sides. to attack.

The Karak ships used more frequently during the "Age of Discovery" are similar to the ships used in "The Road to Discovery"

Precisely because the attack points are on both sides of the ship's hull, this also makes the battle in "The Great Voyage" very different. From various dimensions, the "naval battle" of "The Great Voyage" is closer to the naval battle in real life – you cannot intuitively control the shooting direction of the naval gun, but need to aim through the angle of steering. , but because the driving force of the ship is always forward, the overall movement direction presents an arc shape. This also causes the enemy and us to keep moving on the water to gain an advantage. At the same time, facing the enemy with flight time For artillery shells, the lead time needs to be considered when shooting to avoid the attack failing. Although from an operational level, there is still a certain gap between it and naval battles in real life, the thinking is consistent.

In addition, "Road of Navigation" even adds a stealth gameplay in the "Naval Battle" link – not the kind of "stealth" where killing all the enemies is considered stealth, but the real need to avoid enemy ships. Search range “stealth” – it’s almost like playing Metal Gear Solid.

As for the "adventure" process, "The Great Voyage" is very detailed. From various emergencies during the voyage, to the formation of the fleet, to the collection of navigators and the modification of ships, it has almost everything you want.

Age of Discovery 6 Navigator_Age of Discovery 6 Sextant_Age of Discovery 6

As for the key "trade" aspect, the performance of "The Road to Voyage" is excellent. Although what you need to do is still the business of buying and selling, there are more links to think about——

Barcelona and Pisa, separated by the Ligurian Sea, must have different prices for leather. So, is it enough to transport it from a low-price place to a high-price place and earn the price difference? Of course it's not that simple. Every voyage consumes time, supplies, and the crew’s mental energy, all of which are what we call “hidden costs.” If the profits earned cannot offset the "hidden costs", then losses are inevitable.

So, is it enough to offset the "hidden costs" and then earn a little more?

Neither. There are more details to consider throughout the entire trade process. The price of a commodity will fluctuate over time. Half an hour ago, the price of a piece of leather was 1,164 silver coins. Half an hour later, it might be 1,189 silver coins, and there would be a price difference of 25 silver coins; but if you can purchase a large amount of goods at one time, then it is also You can try to negotiate the price; at the same time, there will be a tax rate of 8% when buying goods, and a tax rate of 15% when selling goods. If the tax rate is not calculated well, it may happen that all the money earned is taxed. A slight difference can make a huge difference. These possible price differences may not seem like much, but when implemented in the process of commodity trading, the "explicit cost" will be infinitely magnified.

In addition to normal price fluctuations, the price of a commodity may also experience "popularity", "skyrocketing" and "plumbing" – this is a normal behavior in a market economy. Those who fail to seize the opportunity will be ruined and their lives will be ruined. It is completely normal for people who have opportunities to switch from one weapon to another.

Of course, there are more points that need to be noted. For example, specialties in certain places require reasonable "investment" in order to obtain franchise purchasing rights. I won't go into details here.

From the above description, you should be able to see that "Road of Discovery" shows a style that belongs to "The Age of Discovery", and this style is not a flash in the pan, but has been operating steadily for four years. In the past four years, you can see that the production team has made "The Road to Navigation" extremely vital and innovative through content updates, making it one of the best navigation-themed games on the market.

A brief review, you can find that "The Road to Voyage" has been updated with seven new expansion packs, as well as countless new gameplay and new systems since its launch. It is this tireless updating that makes "The Road to Voyage" "The Road" remains surprisingly dynamic.

Even at the beginning of 2021, "The Great Voyage" will also introduce a new pirate hunter character. The benchmark profession for the new character is "Gunner". She is a twenty-seven-year-old blond lady with dual-wielding flintlock guns.

Age of Discovery 6_Age of Discovery 6 Navigator_Age of Discovery Sextant

The addition of new characters will also greatly affect the current situation of "naval battles" in "The Road to Navigation".

Its main gameplay revolves around the "tracking shooting" mode. In this mode, the damage of the new character's normal attacks and ultimate skills will be further increased, allowing the damage to be concentrated on one target, greatly improving the ability to kill accurately.

Its skills "Stealth Charge" and "Focused Shooting" combined with "Tracking Shot" give the "Gunner" the ability to snipe at high speeds;

The deceleration of "Spiral Bombardment" and the continuous damage of "Red Rum" can realize the possibility of containing the enemy;

"Rage Impact" and "Boiling Sea" can ensure the retreat path of "gunners" through large areas of high damage and additional status.

All in all, the addition of new characters will make the entire ocean battlefield in "The Road to Navigation" no longer safe, and the excitement and strategic depth of "naval battles" will be greatly improved. I believe that in the near future, a new combat routine will appear on the ocean of "The Great Voyage".

As the greatest conflict and integration in human history and even civilization, the "Age of Discovery" can be said to be an era that established the current appearance of the world. With the advent of the "Internet Age", the world is ever-changing, and the aftermath of the "Age of Discovery" It seems to have disappeared long ago.

This is very similar to the ups and downs of the "Age of Discovery" series itself. In this era of instant feedback and the prevalence of fast food games, it seems a little inappropriate to discuss a game that does business on the sea.

But what we miss now may be that untimeliness.

The "Internet Age" has replaced the "Age of Discovery", making the future change rapidly. As for "The Great Voyage", as a new future of navigation-themed games, who can know what will happen?

Summary Of Experience In Local Tourism Website Template Design

The design requirements for local tourism website templates mainly include the following points:

1. Highlight regional characteristics: Local tourism websites need to highlight the unique culture, history, natural landscape and other characteristics of the region. Through design presentation, they can attract users' attention and increase users' interest and trust in the destination.

2. Clarify the navigation structure: When designing the website template, it is necessary to take into account the user's browsing behavior and habits, and set up reasonable navigation columns to facilitate users to quickly find the information they need. At the same time, it is also necessary to ensure that the navigation is clear and concise.

3. Emphasis on aesthetics and ease of use: As a travel website, aesthetics and ease of use are very important. Users need to determine the credibility and professionalism of the website through visual experience. At the same time, ease of use also needs to take into account the usage habits and needs of different users to provide users with a more convenient and friendly experience.

4. Adapt to mobile terminals: With the popularity of mobile Internet, more and more users choose to access the website through mobile phones or tablet devices. Therefore, responsive design needs to be considered when designing templates to ensure the compatibility and fluency of the website on different devices.

When designing a local tourism website template, you need to pay attention to the following things:

1. Avoid overly complex and fancy designs and keep them simple, clear and understandable.

2. Use colors that match the theme, such as green, blue, and other colors that represent nature and freshness, and yellow, red, and other colors that represent passion and vitality.

3. Highlight the core content of the website, such as travel routes, attraction introductions, accommodation reservations, etc., and place key information where it is easiest for users to pay attention and find it.

4. Pay attention to the loading speed and security of the website, and avoid slowing down the website or causing security holes due to too many animations or pictures.

Operational suggestions:

1. Provide high-quality content: The content of local tourism websites is one of the important factors in attracting users. Providing valuable, interesting, and distinctive content can increase users' trust and loyalty to the website.

2. Collect user feedback: Collect user feedback on a regular basis and promptly resolve problems and suggestions raised by users, thereby improving user experience and satisfaction.

3. Establish social media platforms: By establishing WeChat public accounts, Weibo and other social media platforms, increase user interaction and communication, and enhance website visibility and exposure.

4. Cooperate with tourism-related companies: Cooperate with local hotels, tourist attractions and other companies to provide more discounts and services to increase the competitiveness and attractiveness of the website.

Automatic Overtaking/steering Wheel Racing Tesla Has New Features

Tesla released another system update two weeks ago, and this time there are a lot of hard goods. We will mainly talk about the two new features that deserve the most attention. One is Autonomous Assisted Navigation Driving (On), hereinafter referred to as NOA. This feature is actually We have introduced related articles before, but this time we show it to you in the form of video. The other is to add a racing game that is highly integrated with the vehicle. You use the steering wheel and brake pedal to play the game. We also use video to show it.

● Automatic assisted navigation driving (On)

The detailed introduction has been mentioned in the previous article, so I will focus on a few experiences. First of all, this system must be activated on a closed road. Currently, it can only be activated on a highway. Of course, the premise is that the destination navigation must be set up. Secondly, it can work normally on the highway regardless of congestion or high speed. The operation of automatic overtaking is very similar to that of a normal person. Safety factors are fully taken into consideration, and lane changing and overtaking are very smooth. The last point is that there is a small detail to pay attention to. After the system determines that overtaking is needed, if the vehicle in front changes lanes to give way to the forward lane, the system will still continue to execute the instruction to change lanes and overtake, which seems not smart enough to monitor real-time road conditions. There is still room for improvement in judgment and judgment.

Notes: 1. NOA will be automatically released when entering a tunnel, and only the lane keeping and adaptive cruise functions will be retained. 2. The vehicle speed will not be automatically controlled when entering and exiting the ramp, and the driver needs to adjust the target vehicle speed in advance.

● Beach Buggy 2 Racing

This game is produced by Unit and was originally operated on the Android platform. This time it has in-depth cooperation with Tesla. The operation method combines the steering wheel and brake pedal. It is also compatible with screen control, allowing two front seat passengers to play at the same time. game. Moreover, in terms of picture effects and game excitement, it is superior to previous car games and is worthy of being experienced by car owners.

It should be noted that when operating with the steering wheel, the wheels are still linked at the same time, which will cause certain wear and tear on the tires. Judging from actual experience, in fact, when playing games, the steering wheel only needs to rotate a small amount to cope with the stress of playing games. Demand, everyone does not need to turn the steering wheel significantly when experiencing it.