Trending December 2023 # How The Expressions Nft Marketplace Aims To Uplift Global Communities # Suggested January 2024 # Top 19 Popular

You are reading the article How The Expressions Nft Marketplace Aims To Uplift Global Communities updated in December 2023 on the website Achiashop.com. We hope that the information we have shared is helpful to you. If you find the content interesting and meaningful, please share it with your friends and continue to follow and support us for the latest updates. Suggested January 2024 How The Expressions Nft Marketplace Aims To Uplift Global Communities

Next week, the NFT platform Expressions — a marketplace dedicated to supporting underrepresented global art communities in Web3, will launch its genesis art project — Origins & Ancestries. The drop is the first of ten that will take place over the next year and will showcase 1,000 artworks from 12 artists in the Caribbean, including Sofía Maldonado-Suárez (Puerto Rico), Edward Bowen (Trinidad), Carlos Davila Rinaldi (Puerto Rico), Isabel Berenos (Curaçao), and more.

Expressions was created with an expansive goal in mind; Web3, for all its open-access rhetoric, remains frustratingly Western-focused, with North American and European artists dominating trends and headlines. To better shine a light on efforts to broaden the NFT ecosystem’s horizons, we spoke with JD Lasica, co-founder of Amberfi, the tech solutions platform behind Expressions, and Amberfi’s Director of Marketing and Community, Milena Rimassa, to talk about Expressions’ ambitions and why the NFT ecosystem needs to ensure all boats rise in its tide.

Expressions: a platform for global communities 

Like misconceptions of the gender imbalance in Web3, the stereotype of the crypto art space being composed of white men is an unfortunately persistent caricature. Similarly, the Black community in Web3 is doing amazing work in the space, with both artists and founders helping to carry the culturally diverse torch forward. 

Lasica and Rimassa are well aware of this fact and aim to prevent the repetition of inequities that are so common in the traditional art world.

“We feel really strongly that the Web3 space needs more diversity,” Lasica told nft now. “Not enough women are involved, not enough artists and creatives from underserved, unheard art communities are involved. Why can’t we have our ownership economy working in a way that benefits everybody?”

Credit: Carlos Davila Rinaldi

“There are so many artists all over this planet that were underrepresented in earlier iterations of the art world,” Rimassa said while speaking to nft now. “And there’s a lot of art that exists out there that can finally be monetized in ways to provide a sustainable living for others for marginalized groups.”

The artists taking part in Expressions’ inaugural drop, Origins & Ancestors, likewise believe Web3 can and should encapsulate a much wider spectrum of artists and cultures than it currently does.

“As an artist from Curaçao, it’s exciting to share my work alongside talented creators who are exploring themes of identity, culture, and heritage,” Berenos said in a press release shared with nft now. “Being a part of this project means more than just showcasing my art. It’s about contributing to a larger conversation about who we are and our origins.”

Building with artists in mind

Lasica and the Amberfi team have spent the last year talking to “thousands of creatives” around the globe to better understand what they want out of Web3 and how they’d like to engage with it. Most, he says, feel that the major NFT marketplaces out there aren’t serving their needs around intellectual property protection and ease of use. Expressions was built with these artists not only in mind but on board, with Lasica saying they regularly invite artists onto Zoom calls and Slack channels to “build the platform together.”

Credit:  Sofía Maldonado-Suárez

The platform will feature a one percent marketplace fee to sellers and a 1.9 percent fee to buyers on each NFT sold. Lasica and the team are trying to keep things relatively inexpensive on the marketplace while adding value in terms of curation and opportunities to artists to establish a footing in Web3. Benefits to creatives and collectors will include free mints, enforceable royalties, prices pegged to USD (payable via ETH, MATIC, or credit card), private workspaces for creators, and more.

Expressions’ season two drop is due in July and is set to feature 12 artists from the African continent. In the future, Expressions community members will be able to vote on the next geographical region the platform will focus on, with options including South Asia, South America, Aboriginal communities in Australia, First Nations, and more. For those interested in getting early access to the site, head to the platform’s Discord to learn more.

You're reading How The Expressions Nft Marketplace Aims To Uplift Global Communities

How To Evaluate Arithmetic Expressions In Bash?

Bash is a powerful programming language used for writing shell scripts on Linux and other Unix-based systems. One of most common tasks in shell scripting is evaluating arithmetic expressions. In this article, we will discuss how to evaluate arithmetic expressions in Bash and explore some examples.

Introduction

Arithmetic expressions are mathematical calculations performed on numerical values. In Bash, arithmetic expressions are evaluated using expr command, which evaluates a string as an arithmetic expression and returns result. syntax for expr command is as follows −

$ expr expression

Here, expression is arithmetic expression to be evaluated. For example, to evaluate expression 2 + 3, we would enter following command −

$ expr 2 + 3

This would return result 5.

Basic Arithmetic Operators

Bash supports all basic arithmetic operators, including addition, subtraction, multiplication, and division. These operators can be used to perform simple arithmetic calculations. table below shows basic arithmetic operators and their corresponding symbols.

Operator

Symbol

Addition

+

Subtraction

Multiplication

*

Division

/

Let’s look at some examples of using these basic arithmetic operators in Bash.

Example 1: Addition

To perform addition in Bash, we use + symbol. For example, to add 2 and 3, we would enter following command −

$ expr 2 + 3

This would return result 5.

Example 2: Subtraction

To perform subtraction in Bash, we use – symbol. For example, to subtract 3 from 5, we would enter following command −

$ expr 5 - 3

This would return result 2.

Example 3: Multiplication

To perform multiplication in Bash, we use * symbol. For example, to multiply 2 and 3, we would enter following command −

$ expr 2 * 3

Note that * symbol needs to be escaped with a backslash () to prevent it from being interpreted as a wildcard character by shell.

This would return result 6.

Example 4: Division

To perform division in Bash, we use / symbol. For example, to divide 6 by 2, we would enter following command −

$ expr 6 / 2

This would return result 3.

Order of Precedence

When evaluating arithmetic expressions in Bash, it is important to keep in mind order of precedence of arithmetic operators. order of precedence determines order in which operators are evaluated.

The order of precedence for basic arithmetic operators is as follows −

Multiplication and division (evaluated left to right)

Addition and subtraction (evaluated left to right)

For example, in expression 2 + 3 * 4, multiplication is evaluated first, and expression is evaluated as 2 + 12, which results in 14.

Let’s look at some examples of using order of precedence in Bash.

Example 5: Multiplication and Division

In expression 2 + 4 / 2 * 3, division is evaluated first, and expression is evaluated as 2 + 2 * 3, which results in 8. To evaluate expression as (2 + 4) / (2 * 3), we would use parentheses to group addition and multiplication −

$ expr 2+42+4 / 2*32*3

This would return result 1.

Example 6: Grouping with Parentheses

To group parts of an expression together, we can use parentheses. For example, in expression 2 * 3 + 4, we can group multiplication with parentheses to ensure it is evaluated first −

$ expr 2 * 3+43+4

This would return result 14.

Modulus Operator

In addition to basic arithmetic operators, Bash also supports modulus operator (%), which returns remainder of a division operation. For example, to calculate remainder when 5 is divided by 2, we would enter following command −

$ expr 5 % 2

This would return result 1.

Let’s look at an example of using modulus operator in Bash.

Example 7: Modulus Operator

In expression 17 % 4 + 3 * 2, modulus operation is evaluated first, and expression is evaluated as 1 + 6, which results in 7.

$ expr 17 % 4 + 3 * 2

This would return result 7.

Advanced Arithmetic Functions in Bash Square Roots

To calculate square root of a number in Bash, we use sqrt function. For example, to calculate square root of 16, we would enter following command −

$ expr sqrt 16

This would return result 4.

Exponents

To raise a number to a power in Bash, we use ** operator. For example, to calculate 2 raised to power of 3, we would enter following command −

$ expr 2 ** 3

This would return result 8.

Absolute Values

To calculate absolute value of a number in Bash, we use abs function. For example, to calculate absolute value of -5, we would enter following command −

$ expr abs -5

This would return result 5.

Using Variables in Arithmetic Expressions

In Bash, we can also use variables in arithmetic expressions. We can assign values to variables using = operator, and then use variables in arithmetic expressions. For example, to assign value 5 to a variable named x, we would enter following command −

$ x=5

We can then use variable in an arithmetic expression. For example, to add 2 to value of x, we would enter following command −

$ expr $x + 2

This would return result 7.

Conclusion

Evaluating arithmetic expressions is a common task in Bash scripting. By using expr command and basic arithmetic operators, as well as order of precedence and modulus operator, we can perform simple arithmetic calculations in Bash. With examples we’ve covered in this article, you should have a good understanding of how to evaluate arithmetic expressions in Bash and how to apply these concepts in your own scripts.

How To Wheel Your Way Through The Global Bike Shortage

If you’re under the impression that more people have been pedaling from place to place, you’re not imagining it. Even before the COVID-19 pandemic pushed commuters to find alternatives to public transportation, cycling had been steadily growing as both a form of exercise and an efficient way to get around. 

But when the pandemic hit, the bike industry faced the same unexpected challenges as most of the global economy. Among them: trying to meet the increasing demand from new riders hoping to stay off buses and trains. 

“Retailers went from questioning if they would be deemed essential businesses, to a bike boom,” says Heather Mason, president of the National Bicycle Dealers’ Association.

[Related: The real difference between a cheap bike and an expensive one]

Why is there a bike shortage?

In a world where you can get a car dropped off at your door, it may seem surprising that you’d have any trouble finding and buying something as simple as a bicycle. But the cycling industry is a global business that leans heavily on international supply chains, and when one of the links fails, shortages occur.

Bike-maker Trek, for example, sources parts from 50 different suppliers around the world. Then they send components to four factories on three continents for assembly before they even ship the finished product to the company’s network of warehouses for distribution. This entire process can take up to four months during a normal year. But because of the pandemic, bikes are rolling off the line straight into somebody’s hands, leaving no opportunity for stockpiling.

[Related: Bring your old bike back to life with these pro restoration tips]

The result has been a massive increase in the cost—parts alone went up 22% through September 2023, and retailers expect another hike of 10% to 25% in 2023. It’s unclear how or if the situation will improve post-pandemic either, as major exporters of bikes and bike parts, like Taiwan and Japan, were facing labor shortages even before COVID struck. Demand will most likely keep growing, too. In a 2023 survey conducted by Boston University, 62% of 130 US mayors said they expect their citizens to bike more frequently after the health crisis is over, and nearly a third are making bike infrastructure installed during the pandemic a permanent feature. 

Getting your bike will require creativity

If you can’t find the parts you need, or you simply can’t swing the price of a new bike right now, there are alternatives you can try. 

Rent a bike

If you thought renting bikes is something only tourists do, think again—your local shop may have long-term rental programs available. As an added benefit, you’ll also be able to try out different bikes if you’re still not sure what kind you want to get. 

Don’t be surprised if you have a tough time finding a bike to rent, though, as shops might have sold their rental fleets to meet buying demand.

Enroll in a bike-sharing program

As of 2023, 65 US cities had bike-sharing programs, and they’ve only proliferated since then. You’ll find these bikes in kiosks with heavy pedestrian and public transit traffic nearby, and you’ll pay a rental fee by the hour, often directly from an app on your phone. The best thing about these services is that you can easily combine them with other forms of transportation, as you can park them in several locations before continuing your commute.   

[Related: Essential bike maintenance tips everyone should know]

Boston introduced BlueBikes in 2011, and it had nearly half a million users by 2023. On the West Coast, researchers at the University of California, Davis, found that people in Sacramento almost immediately began replacing car trips with bike travel when a bikeshare was introduced in 2023.

Shop for used bikes

On average, about 12 million adult bikes are sold each year, and even a short browse through Craigslist will turn up plenty available for (relatively) reasonable prices.

If you’re buying parts, make sure to do your research. Every bike is unique and components differ on both standards and tolerances. You can’t assume that just because a piece has the same manufacturer and specs, it’ll fit on your bike. Parts should also be clean and have no signs of wear aside from some chipped paint.

How Travel Applications Are Fueling The Global Economy?

According to a report published by the World Travel and Tourism Council, by the year 2028, the tourism sector is expected to grow by $12.4 billion at an annual growth rate of 3.8% p.a. As the industry continues to expand, it has started embracing digitization which in turn has made the complete process of B2B and B2C interaction agile and frictionless. Ever since the Internet boom, consumer expectations have heightened and the travel industry is adapting to provide customers or travelers with the best in class service as well as value for their money. With a plethora of travel applications, it has now become more accessible to search, book and travel to the ends of the world.

As we enter the year 2023, we decided to look at the top reasons which have made travel applications – a catalyst – to the rise of the global economy.

1. Giving Tailored and Unique Experience

Related: – How can Successful in Mobile App Market in 2023

2. Smooth Bookings and Reservations on the Go

Helping both the vendor and the consumer alike, travel applications tend to streamline transactions and hence makes it easier for both the parties to keep track of the money they spend and earn.

For example, a user can easily book a hotel a thousand miles away without the need to leave his home, and a hotel can receive the payment as well as guest details in a fast and frictionless manner. Be it digital receipts or the booking confirmation these applications have made the process completely paperless, while at the same time avoiding intermediary costs (travel agent fee, costs of international money transfer, etc…).

3. More Customer Data to Improve your Business

The travel and tourism industry solely operates on user reviews and experiences. If a user visits a destination and finds it appealing, the place is likely to see more visitors visiting it in the time to come. Similarly, terrible experiences with poor amenities would leave a destination wanting for tourist and visitors.

Streamlining businesses and transactions through travel applications allow business owners to gather more customer information sequentially and process this information/reviews to find out ways to improve their business.

4. Easy to Do Behavioural Marketing

Utilizing the data and metrics obtained from the travel applications allows travel companies to gain insights into where the customer spends his time online. This includes a diversity of information such as what applications the user gravitates towards, what they like, what they don’t like etc. Each of these factors acts as a critical driver` for the travel companies to offer the right product and services from the supplier to consumers.

Travel companies think of these applications as a testing ground where they get to decipher what consumers need and based on the requirements create discounts and offers which turns visitors into customers.

To increase the tourist’s inflow, various countries have launched travel applications which will help provide both the residents and non-residents a deeper insight into what the country has to offer. Some of these applications include:

1. Incredible India App

A location-based travel application, the Incredible India App gives users information regarding government approved tourist service providers aside from letting them know about the hotspots within the city. From government approved guides to government registered hotels, a user can quickly obtain information on his device with a single request made on the app.

2. Tripgator Application

3. TravelSmart

How will These Travel Applications Evolve in 2023?

As technology and times evolve so do these travel applications. Below are the top 5 trends we are likely to see being adopted in the year 2023.

1. Wearable Travel Apps

Ever since the launch of the first Apple watches in the year 2014, wearable applications have started gaining traction. Though there are some limitations that prevent wearable applications from seeing mainstream adoption, research shows that these applications have a definite place in the market.

With the wearable travel applications the process of commuting can be made frictionless and convenient for users, for example, airlines push updates directly on the passenger’s smartwatch. Similarly, the live locations of cabs and taxis can be made visible. 

2. Chatbots

Chatbots, a use case of AI, has excellent potential to be successful in easing the commute and assisting the customers with their queries. Chatbots can be designed to analyze the user response and their travel patterns as well as choices, and hence offer travel options at an affordable price.

While they will save the travel companies money spent on employing resources to answer user queries, they will also be able to offer a personalized experience to the user.

3. Predictive Analysis

One of the most exciting developments travel applications can see is the inclusion of predictive analysis. Predictive analysis is the analysis of the present data set to predict future behavior. This analysis if incorporated in travel applications can help find the best possible route at the best price for use in the times to come. This will help alert users about when to book tickets to specific destinations and when to avoid based on past analysis.

In the present scenario, the success of any business can’t be imagined without the support of mobile app development . With digital disruption and mobilegeddon crashing 2023, the utility of travel apps is only going to increase more than ever. Building a long-term relationship with customers and providing experience each time they travel will undoubtedly boost revenue for the government.

Shagun bagra

Hey!!! My name is Shagun Bagra. My interest in researching and share information on the Digital Transformation and Technology.

Adoption Of Sanskrit By Nasa Aims To Change The Language Gap

Sanskrit is being adopted by NASA

Sanskrit has always been an important language in intellectual communities. Despite its ancient origin, the language has some amazing characteristics that are considered helpful in different fields. It is also used for therapy sessions in psychology and for spiritual remissions. But its recent involvement with artificial intelligence is an honor proving its power for being a valuable course of literature. The grammar also makes Sanskrit suitable for machine learning and even artificial intelligence. For historians and regular folks, the possibility of using Sanskrit to develop artificially intelligent machines is inspiring because it exploits the past innovatively to deliver solutions for the future. NASA Sanskrit relation is not new. It all began in 1985 when a NASA associate scientist published a research paper in the spring issue of Artificial Intelligence magazine. (Volume 6 Number 1). The name of the scientist was Rick Briggs who submitted his research entitled Vedic Science- ‘Knowledge Representation in Sanskrit and Artificial Intelligence.’ The article argued about Natural languages being the best option to be converted into the computing program for robotic control and Artificial Intelligence technology. The research focuses on Sanskrit among the pool of many human languages, explaining that it is one of the most suitable ones for computing techniques. Although a detailed discussion about this research paper is due in the article onwards, here is a summary in Rick Briggs’ own words derived from the same journal. NASA had been researching this matter for more than two decades. A lot of money, time, and resources had been invested. The outcomes favor the integration of a language that can be converted into machine computing to enhance Artificial Intelligence efficiency. The phrase above indicates NASA’s intense interest in Sanskrit and the research is authentically done by NASA over many levels. However, the paper was published in 1985 which is almost more than 20 years ago, yet it is a common fact that NASA’s research is often prolonged over decades to derive official results.

Sanskrit has always been an important language in intellectual communities. Despite its ancient origin, the language has some amazing characteristics that are considered helpful in different fields. It is also used for therapy sessions in psychology and for spiritual remissions. But its recent involvement with artificial intelligence is an honor proving its power for being a valuable course of literature. The grammar also makes Sanskrit suitable for machine learning and even artificial intelligence. For historians and regular folks, the possibility of using Sanskrit to develop artificially intelligent machines is inspiring because it exploits the past innovatively to deliver solutions for the future. NASA Sanskrit relation is not new. It all began in 1985 when a NASA associate scientist published a research paper in the spring issue of Artificial Intelligence magazine. (Volume 6 Number 1). The name of the scientist was Rick Briggs who submitted his research entitled Vedic Science- ‘Knowledge Representation in Sanskrit and Artificial Intelligence.’ The article argued about Natural languages being the best option to be converted into the computing program for robotic control and Artificial Intelligence technology. The research focuses on Sanskrit among the pool of many human languages, explaining that it is one of the most suitable ones for computing techniques. Although a detailed discussion about this research paper is due in the article onwards, here is a summary in Rick Briggs’ own words derived from the same journal. NASA had been researching this matter for more than two decades. A lot of money, time, and resources had been invested. The outcomes favor the integration of a language that can be converted into machine computing to enhance Artificial Intelligence efficiency. The phrase above indicates NASA’s intense interest in Sanskrit and the research is authentically done by NASA over many levels. However, the paper was published in 1985 which is almost more than 20 years ago, yet it is a common fact that NASA’s research is often prolonged over decades to derive official results. Currently, NASA is also working on Artificial Intelligence for space communications which are clear proof that the topic of “Artificial intelligence Development” was never closed in NASA.

How To Use Machine Translation To Localize Ugc For Global Websites

Is the use of machine translation evil for SEO?

In terms of global website content translation or localization, the best practice is to have content localized professionally by a native speaker.

However, just like everything else, there’s a best practice, and there’s the reality of conducting business.

So, what is the reality of running a global website?

How does the best practice apply – or not apply – especially when it comes to user-generated content (UGC)?

The Challenge of Content Localization for Global Websites

One of the real-life situations that businesses deal with is the challenge of increasing user engagement without negatively impacting SEO performance.

Site owners agonize over following the best practices for their fixed content on the website, but due to the speed and/or the costs of professional translation, oftentimes, it prohibits them to apply this best practice to UGC translation.

Because of this challenge, I often see global websites showing UGC left in English or the source language on their local sites because they are trying to follow the SEO best practice.

I understand that website owners are concerned about the SEO implications of machine translation.

However, when content is not translated into the local language, it won’t help site visitors or website owners.

Let’s go through this challenge step by step to see if we can find some middle ground.

Selecting Content for Machine Translation

Before we deep dive into the topic, I’d like to clarify that this article is specific to user-generated content, and not the entire website.

Fixed content should always be translated and localized professionally by humans without exception.

Page headers and commonly used text, such as column labels, should also be localized and checked by humans.

If you don’t want UGC to rank well in the search results or even be indexed by search engines, that is the safest area to implement machine translation.

Even if the translation is not perfect, it would provide helpful information to site visitors when they can read it in their languages.

When the UGC is on the pages you wish to be indexed by the search engines and perform well in the organic search results, you need to determine the best translation solution.

Crowdsourced Translation

This is not machine translation, but another option that some websites use to localize their content. It usually has a database of words, which participants access to add the words in other languages.

It’s a low-cost solution when you have volunteers to do the translation work. Wikipedia probably is the largest global website using this solution.

Because it depends on crowd participation, it comes with some concerns.

It is difficult to maintain the quality of the translation.

Some languages may take much longer to generate a large enough database to translate content. This becomes a bigger issue when the source language is not one of the more widely spoken/read languages.

Some machine translation tools let you create a glossary database by words and phrases translated by crowdsourced translation.

Below is an example of a clearly wrong word showing up in Google’s Translation Tool.

When a Japanese word for “mischievous” was entered, it gave an incorrect translation in English. (The translation has been corrected since then.)

In order to control the quality of the translation and minimize problems, I suggest that you control who can contribute to the translation project by giving tool access only to trusted editors.

The Advancement of Machine Translation with AI

“We have just started being able to use more context for translations. Neural networks open up many future development paths related to adding further context, such as a photo accompanying the text of a post, to create better translations.

We are also starting to explore multilingual models that can translate many different language directions. This will help solve the challenge of fine-tuning each system relating to a specific language pair, and may also bring quality gains from some directions through the sharing of training data.”

Other companies, including Google and Microsoft, also offer NMT solutions for websites and other translation needs.

In addition to text translation, Microsoft developed the Automatic Speech Recognition (ASR) for audio speech translation currently used for Skype.

Improve the Quality of the Translation

That said, machine translation quality has improved significantly, especially for Western languages.

The following are some things you can do to ensure the quality of the translation:

Create a list of commonly used words (e.g., categories, tags, product names, other keywords). Get them translated professionally or even in-house. Upload the list to the translation engine.

Spot check the translation from time to time to ensure the quality of translated content.

Add online dictionary using their API.

B2B Industry specific machine translation can handle industry-specific jargon and words better.

Optimize the Machine Translation Engine

Integrate translation management system (TMS) environments for machine translation engine implementation.

Customize the machine translation engine for the content type.

Create training data for AI and machine learning.

Still concerned about using the machine translation in terms of SEO?

“I think the kind of the improvements that are happening with regards to automatically translated content… It could also be used by sites that are legitimately providing translations on a website and they just start with like the auto translated version and then they improve those translations over time.

So that’s something where I wouldn’t necessarily say that using translated content like that (spamming content) would be completely problematic but it’s more a matter of the intent and kind of the bigger picture what they’re doing.”

Many websites already use machine translation for their global sites. Their content is indexed and could perform well by providing quality content for their local audiences.

Indeed, it comes back to the “intent” Mueller spoke about.

Translating UGC to provide informative content to your local audience falls under “a good intent.”

Conclusion

Machine translation could be a great solution for some global websites, specifically for handling large volumes of user-generated content.

Don’t let broad standards keep you from serving your consumers. Review the following and make the best decision for your business.

Determine the content on your site that is appropriate for machine translation.

Select the translation solution that works best for your website content.

Optimize the machine translation engine by adding industry-specific terms, keywords, etc.

Create training data for AI.

Monitor the quality of the translation.

More Resources:

Image Credits

All screenshots taken by author, November 2023

Update the detailed information about How The Expressions Nft Marketplace Aims To Uplift Global Communities on the Achiashop.com website. We hope the article's content will meet your needs, and we will regularly update the information to provide you with the fastest and most accurate information. Have a great day!