In 2023, co-founders Karim Jouini and Jihed Othmani sold their expense management startup Expensya to Swedish procurement software firm Medius in what is widely considered to be one of the largest acquisitions of an African startup. Some sources say the sum was just over $120 million, although deal terms were not disclosed. Success achieved, both […]
Techcrunch 2025-06-04 04:04Windsurf, the popular vibe coding startup that’s reportedly being acquired by OpenAI, says Anthropic significantly reduced its first-party access to its Claude 3.7 Sonnet and Claude 3.5 Sonnet AI models. Windsurf CEO Varun Mohan said in a post on X Tuesday that Anthropic gave Windsurf little notice for this change, and the startup now has […]
Techcrunch 2025-06-04 00:12 ![]() | submitted by /u/BreakfastTop6899 [link] [comments] |
![]() | submitted by /u/abrownn [link] [comments] |
Anthropic has given its AI a blog. A week ago, Anthropic quietly launched Claude Explains, a new page on its website that’s generated mostly by the company’s AI model family, Claude. Populated by posts on technical topics related to various Claude use cases (e.g. “Simplify complex codebases with Claude”), the blog is intended to be […]
Techcrunch 2025-06-03 20:08Deel alleges that one of Rippling’s employees "spent six months impersonating a legitimate Deel customer to gain unauthorized access to Deel’s systems to meticulously analyze, record, and copy Deel’s global products and the way Deel does business for Rippling’s own benefit and use.”
Techcrunch 2025-06-03 20:08 ![]() | submitted by /u/UGMadness [link] [comments] |
TAE Technologies raised $150 million from investors including Google, Chevron, and others.
Techcrunch 2025-06-03 19:07 ![]() | submitted by /u/indig0sixalpha [link] [comments] |
![]() | submitted by /u/chrisdh79 [link] [comments] |
Hi, Spring fans! Welcome to another installment of This Week in Spring! I just finished recording my session with IntelliJ IDEA project lead Aleksey Stukalov about all the amazing features coming to IntelliJ IDEA to better support Java, Kotlin, and Spring developers.
It went off without a hitch (even though we're using a few early features), and I want to thank the Jetbrains team for the chance to participate.
Tomorrow, I speak at the amazing JSpring conference (sibling conference to the amazing JFall conference), too.
Hi, Spring fans! In this installment we talk to the legendary Victor Rentea. This episode was recorded live at Devoxx UK 2025.
Spring 2025-05-29 00:12Hi, Spring fans! Welcome to another installment of This Week in Spring! This time, I'm talking to you after an insane week behind me. Last week I flew from San Francisco to Stockholm, Sweden where I was the speaker for the JForum event, a monthly meetup. Spring drew the largest audience to JForum since before the pandemic! Then, it was off to beautiful Barcelona for the fantastic Spring I/O event, where I did a keynote with Dr Mark Pollack on Spring AI, then hosted a joint talk with Spring cofounders Rod Johnson and Juergen Hoeller. Then, I did a joint talk with GraalVM found and Oracle vice president Thomas Wuerthinger. Then, it was off to Madrid where I met some customers and users. Then, it was off to beautiful Coimbra, Portgual, for the amazing JNation.pt conference!
All of which is to say, I had a ton of fun! But I am exhausted and eager to just chill out in Lisboa for a few days before heading to Amsterdam for the amazing JSpring and, separately, to the IntelliJ IDEA Conf, then off to Tokyo for the JJUG Spring event!
That excitement is only possible because our community is amazing! And on that note, let's dive into this week's roundup.
This isn't the only place you can read about Spring AI 1.0, however! Some of our friends in the community chimed in, too! For example:
As you can see, tons of interest in the Spring AI 1.0 release! Thank you, community! And tons of interest in all the other amazing releases, too!
vite-spring-boot 0.9.0
released with support for JTE as an alternative to Thymeleaf as template engine for Spring Boot so you can have all the Vite niceness for your CSS and JavaScript bits.The emergence of Large Language Models (LLM) has propelled Generative AI and surfaced one of its key components to a broad audience: Embeddings.
Embeddings are a vector representation of data in a high-dimensional space capturing their semantic meaning. Vector representations allow for more efficient and effective search (Vector Search) of similar items. Vector search is typically used to build Retrieval-augmented generation (RAG) systems and so there is demand for vector databases.
While new vector databases are on the rise, existing database engines are gradually incorporating vector search capabilities leading to two main types of databases:
Dedicated Vector Databases originate in the need for searching for similar items in high-dimensional spaces. They are optimized for this purpose and often use specialized indexing techniques to improve search performance. Examples include Pinecone, Weaviate, Milvus, and Qdrant. All of these are projects emerged around the early 2020s.
A Vector Search typically requires a vector, which is an array of single-precision float
numbers, a namespace (something like a table or collection) and a Top K (the number of results to return) argument. Vector search then run an Approximate Nearest Neighbor (ANN) or k-Nearest Neighbors (kNN) search.
Those databases allow additional filtering similarity and metadata fields, however, the core of the search gravitates around vector representations.
Existing Database Engines such as Postgres (pgvector), Oracle, and MongoDB have gradually added vector search capabilities to their engines. They are not dedicated vector databases but rather general-purpose databases with vector search capabilities. Their strength lies in their ability to handle a wide range of data types and queries, especially when it comes to combining vector search with traditional queries. They also have a long history of supporting administrative tasks with a well-understood operating model for backup and recovery, scaling, and maintenance. Another aspect to consider is that these databases are already being used in production, containing large amounts of existing data.
Spring AI has a wide range of integrations with vector stores.
The obvious question is: "Why has Spring AI support for Vector Search and Spring Data does not?". And why does that even matter?
The goal of Spring AI is to simplify the process of building AI-powered applications by providing a consistent programming model and abstractions. It focuses on integrating AI capabilities into Spring applications and provides a unified API for working with various AI models and services.
AI is a hot topic: Several database vendors have contributed their integration for vector search to Spring AI to enable use-cases such as Retrieval Augmented Generation. This is a great example of how Open Source can drive innovation and collaboration in the database space.
When we consider what's after the peak of AI's hype cycle, we are faced with day-2 operations. Data has a lifecycle, new LLM models come and go, some are better for certain tasks or languages than others. While Spring AI's VectorStore
has the means to reflect of data lifecycle to some extent, it is by no means its primary focus.
And here comes Spring Data into play. Spring Data is all about data models, access, and data lifecycle. It provides a consistent programming model for accessing different data stores, including relational databases, NoSQL databases, and more. Spring Data's focus is on simplifying data access and management, making it easier to work with various data sources in a consistent way.
Wouldn't it then make sense to have Vector Search capabilities in Spring Data?
Yes, it would.
With Spring Data 3.5, we've introduced a Vector
type to simplify usage of vector data in entities.
Vector data types are not common in typical domain models.
The closest resemblance of vector data has been geospatial data types such as Point
, Polygon
, etc. but even those are not common.
Domain models rather consist of primitive types and value types reflecting the domain they are used in.
Vector properties use either vendor-specific types (such as Cassandra's CqlVector
) or use some sort of array, like float[]
. In the latter case, using arrays introduces quite some accidental complexity: Java arrays are pointers. Their underlying actual array data is mutable. Carrying arrays around isn't too common either.
Your domain model can leverage Vector
property type reducing the risk of accidentally mutating the underlying data and giving the otherwise float[]
a semantic context. Persisting and retrieving Vector
properties is handled by Spring Data for modules where Spring Data handles object mapping. For JPA, you will require additional converters.
Vector vector = Vector.of(0.0001f, 1.12345f, 2.23456f, 3.34567f, 4.45678f);
Vector.of(…)
creates an immutable Vector
instance and a copy of the given input array. While this is useful for most scenarios, performance-sensitive arrangements that want to reduce GC pressure can retain the reference to the original array:
Vector vector = Vector.unsafe(new float[]{0.0001f, 1.12345f, 2.23456f, 3.34567f, 4.45678f});
You can obtain a safe (copied) variant of the float[]
array by calling toFloatArray()
respective toDoubleArray()
if you want to use double[]
. Alternatively, you can access the Vector
's source through getSource()
.
Depending on your data store, you might need to equip your data model with additional annotations to indicate e.g. the number of dimensions or its precision.
When running a Vector search operation, each database uses a very different API. Let's take a look at MongoDB and Apache Cassandra.
In MongoDB, Vector Search is used through its Aggregation Framework requiring an aggregation stage:
class Comment {
String id;
String language;
String comment;
Vector embedding;
// getters, setters, …
}
VectorSearchOperation vectorSearch = VectorSearchOperation.search("euclidean-index")
.path("embedding")
.vector(0.0001f, 1.12345f, 2.23456f, 3.34567f, 4.45678f) // float[], Vector, or Mongo's BinaryVector
.limit(10) // Top-K
.numCandidates(200)
.filter(where("language").is("DE"))
.searchType(SearchType.ANN)
.withSearchScore();
AggregationResults<Document> results = template.aggregate(newAggregation(vectorSearch),
Comment.class, Document.class);
VectorSearchOperation
offers a fluent API guiding you through each step of the operation reflecting the underlying MongoDB API in a convenient way.
Let's have a look at Apache Cassandra. Cassandra uses CQL (Cassandra Query Language) to run queries against the database. Cassandra Vector Search uses the same approach. With Cassandra, Spring Data users have the choice to either use Spring Data Cassandra's Query
API or the native CQL API to run a Vector Search:
@Table("comments")
class CommentVectorSearchResult {
@Id String id;
double score;
String language;
String comment;
// getters, setters, …
}
CassandraTemplate template = …
Query query = Query.select(Columns.from("id", "language", "comment")
.select("embedding", it -> it.similarity(Vector.of(1.1f, 2.2f)).cosine().as("score")))
.sort(VectorSort.ann("embedding", Vector.of(1.1f, 2.2f)))
.limit(10);
List<VectorSearchResult> select = template.select(query, VectorSearchResult.class);
The CQL variant would look like this:
CassandraTemplate template = …
List<Map<String, Object>> result = template.getCqlOperations().queryForList("""
SELECT id, language, comment, similarity_cosine(embedding, ?0) AS score
FROM my_table
ORDER BY embedding ANN OF ?0
LIMIT ?1
""", CqlVector.newInstance(1.1f, 2.2f), 10);
All in all these are small and simple examples of how to use Vector Search in Spring Data.
Coming from a domain model perspective, representing search results is different from representing the domain model itself.
Clearly, one could favor Java Records over classes but that isn't what the differences are about. Have you noticed the additional CommentVectorSearchResult
class or List<Document>
(MongoDB's native document type)? Cassandra has no detached raw type that you could use to consume result so we need CommentVectorSearchResult
as dedicated type to map this specific Cassandra search result. We not only want to access domain data, but also the score. MongoDB's Java driver ships with a Document
type that behaves is essentially a Map
.
That's not how we envisioned a modern programming model.
When searching for items, the result is not a list of domain objects but rather a list of search results. How do we even represent those? And can't we have a uniform programming model that combines the simplicity of expressing what I want with the power of the underlying database?
If it is a search result, then it is a SearchResult<T>
. What if repository methods could return SearchResults<T>
? Searching is a slightly different concept than querying (finding) entities. Beyond that, search methods would work similarly to existing query methods.
interface CommentRepository extends Repository<Comment, String> {
@VectorSearch(indexName = "euclidean-index")
SearchResults<Comment> searchTop10ByLanguageAndEmbeddingNear(String language, Vector vector,
Similarity similarityThreshold);
@VectorSearch(indexName = "euclidean-index")
SearchResults<Comment> searchByLanguageAndEmbeddingWithin(String language, Vector vector,
Range<Similarity> range, Limit topK);
}
SearchResults<Comment> results = repository.searchTop10ByLanguageAndEmbeddingNear("DE", Vector.of(0.0001f, 1.12345f, 2.23456f, 3.34567f, 4.45678f), Similarity.of(0.9));
for (SearchResult<Comment> result : results) {
Score score= result.getScore();
Comment comment = result.getContent();
// …
}
The example above shows a search method that runs a Vector search. Searching in MongoDB requires an index hint that is specific to MongoDB. Beyond that, query derivation creates the pre-filter to filter by language
.
By leveraging Near
and Within
keywords, Spring Data MongoDB is able to associate the given Vector
and Similarity
predicate to customize the actual Vector Search operation. The result is returned as SearchResults
providing access to the found entity and its score respective similarity value.
Using Vector Search with Postgres or Oracle is even simpler. The following example shows a Vector Search method in a Spring Data JPA repository through Hibernate's hibernate-vector
module:
interface CommentRepository extends Repository<Comment, String> {
SearchResults<Comment> searchTop10ByLanguageAndEmbeddingNear(String language, Vector vector,
Score scoreThreshold);
SearchResults<Comment> searchByLanguageAndEmbeddingWithin(String language, Vector vector,
Range<Similarity> range, Limit topK);
}
Near
and Within
Search methods require a Vector
and a Score
, Similarity
(subtype of Score), or Range<Score>
parameter to determine how similarity/distance is calculated. Traditionally, query methods are intended to express predicates of a query while a typical Vector search is more about the Top-K limiting. That is something we have to consider in the future.
Search methods can also leverage annotations in the same way that query methods do. The following example shows a search method in a Spring Data JPA:
interface CommentRepository extends Repository<Comment, Integer> {
@Query("""
SELECT c, cosine_distance(c.embedding, :embedding) as distance FROM Comment c
WHERE c.language = :language
AND cosine_distance(c.embedding, :embedding) <= :distance
ORDER BY cosine_distance(c.embedding, :embedding) asc
""")
SearchResults<Comment> searchAnnotatedByLanguage(String language, Vector embedding, Score distance);
}
While it's not obvious, pgvector and Oracle calculate distances to compute a score. Spring Data allows consuming the native score value either directly or, when using Similarity.of(…)
as argument with the appropriate ScoringFunction
, Spring Data normalizes the native score into a similarity range between 0 and 1.
// Using a native score
SearchResults<Comment> results = repository.searchAnnotatedByLanguage(…, Score.of(0.1, ScoringFunction.cosine()));
// SearchResult.score will be an instance of Similarity
SearchResults<Comment> results = repository.searchAnnotatedByLanguage(…, Similarity.of(0.9, ScoringFunction.cosine()));
A final note on Vector
with JPA. When using JPA, you can use Vector
in your domain model to store the vector assuming you have configured an AttributeConverter
to convert the Vector
into a database type.
However, when using Hibernate's distance methods (such as cosine_distance
), Hibernate doesn't consider any Attribute Converters, hence your model must resort to using float[]
or double[]
as embedding type:
@Table
class Comment {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Integer id;
private String language;
private String comment;
@JdbcTypeCode(SqlTypes.VECTOR)
@Array(length = 5)
private float[] embedding;
}
We've explored the world of Vector Search and how it fits into the Spring ecosystem along with Vector Search origins in Spring AI. Support for the Vector
type ships with Spring Data 3.5 (2025.0) in the May 2025 release.
Vector Search Methods are a preview feature of the Spring Data 4.0 (2025.1) release train with first implementations for JPA through Hibernate Vector, MongoDB and Apache Cassandra. We're excited to hear what you think about Vector Search methods and how we can improve them further.
You can find the documentation about Vector Search in the reference documentation, in JPA, MongoDB, and Cassandra.
Spring 2025-05-23 00:12Daniel Terhorst-North uses his deep technical and operational knowledge to help business and technology leaders to optimize their organizations. He puts people first and finds simple, pragmatic solutions to complex business and technology problems.
With over thirty years of industry experience, Daniel is often invited to speak at major conferences and corporate events worldwide.
Daniel’s career splits broadly into separate decades:
Since 2012, Daniel has been an independent consultant, optimizing organizations from 50 to 5,000 people. He does this by engaging with their technology and operational strategy, leadership and management practices, organization design, and ways of working.
DanNorth 2025-05-01 00:12If you want to experiment with ComfyUI but don’t want to invest in an expensive GPU, you still have options thanks to various cloud providers. However, you’ll need to carefully consider the trade-offs. Here’s what I’ve learned from my own experience (and some research with GPT): Google Colab Google Colab was my initial go-to for quick experiments. It provides free access to GPUs through Jupyter notebooks, so you can get ComfyUI running quickly by following the official instructions.
Feng 2025-04-27 06:06You can have your cake and eat it, as long as you bake it carefully.
‘We can do this the quick way and pay later, or the thorough way and pay now.’ This seems to be a fundamental dichotomy in software development, between ‘perfectionism’ and ‘pragmatism’, but I do not think it has to be a trade-off at all.
DanNorth 2025-02-03 00:12RAG is a core component of LLM applications. The idea is to index your data in a vector database and then use the LLM to generate responses based on the indexed data. The concept seems simple but the implementation can be complex. I recently am researching on Dify - a popular LLM application platform and found its RAG engine is a good case study to understand how to implement a comprehensive RAG system.
Feng 2025-01-29 09:09I have been iterating on my home office setup for a while now. This post describes my current setup as we reach the end of 2024.
DanNorth 2024-12-10 00:12The answer is yes. But it’s not a trivial task. I had this question when I was working on a telegram bot with python telegram bot(PTB) framework, while I also want to run a fastapi server using uvicorn. PTB is built on top of asyncio and if you run Application.run_polling() it will block the event loop. So I had to find a way to let both run without blocking. Option 1: Embed the other asyncio frameworks in one event loop Actually this is the recommended way to run multiple asyncio (including webserver or another bot), the given example is as follows:
Feng 2024-12-09 04:04As Large Language Models (LLMs) become increasingly critical in production systems, robust evaluation frameworks are essential for ensuring their reliability and performance. This article tries to walk you through modern LLM evaluation approaches, examining key frameworks and their specialized capabilities. Core Evaluation Dimensions It’s important to understand that LLM evaluation is not a one-size-fits-all task. The evaluation framework you choose should align with your specific use case and evaluation requirements. In general, there are three core dimensions to consider:
Feng 2024-11-08 07:07Serverless architecture offers a great way to build and deploy applications without managing servers. In this post, we’ll walk through the process of creating a Telegram bot using AWS Lambda for serverless execution, Terraform for infrastructure as code, and Python for the bot’s logic. We’ll also use a Lambda Layer to manage our dependencies efficiently. Project Structure Let’s start with our project structure: Initial Project Structure telegram-bot/ ├── terraform/ │ ├── main.
Feng 2024-09-09 09:09Picsart, a photo-editing startup backed by SoftBank, announced on Thursday that it’s partnering with Getty Images to develop a custom model to bring AI imagery to its 150 million users. The company says the model will bring responsible AI imagery to creators, marketers and small businesses that use its platform. The model will be built from […]
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 15:03Apple announced a number of new features and updates onstage during its keynote address at its Worldwide Developer Conference (WWDC) this week, including updates to iOS, iPadOS, macOS, VisionOS, and the introduction of Apple Intelligence. Now that people are using developer betas and exploring the sessions at the event, more features that were not announced […]
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 14:02 ![]() | submitted by /u/xSNYPSx [link] [comments] |
Yahoo’s AI push isn’t over just yet. The company, also TechCrunch’s parent, recently launched AI-powered features for Yahoo Mail, including its own take on Gmail’s Priority Inbox and AI summaries of emails, and today it’s rolling out an AI-powered version of its Yahoo News app, leveraging technology it acquired from its latest acquisition, Artifact. Still, […]
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 14:02Sodium-ion isn’t quite ready for widespread use, but one startup thinks it has surmounted the battery chemistry's key hurdles.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 14:02The Central Bank also emphasized that currency exchange trading is not a necessary condition for the convertibility of the national currency, the free circulation of foreign currency, and the formation of market exchange rates
Tass 2024-06-13 13:01The members of the Ukraine Defense Contact Group aim to provide robust support to Ukraine.
US Secretary of Defense Lloyd Austin said that during the meeting of the Ukraine Defense Contact Group in the “Ramstein” format, new solutions to strengthen Ukraine’s air defense and the work of the “Coalition of Drones” will be discussed, as per UkrInform.
The Ukraine Defense Contact Group, also known as the “Ramstein” format, brings together nearly 50 countries to coordinate efforts to support Ukraine in its struggle against Russian aggression.
The 13 June “Ramstein” meeting is part of the NATO Defence Ministers’ meeting. According to the published agenda, a meeting of the Ukraine-NATO Council on the defense ministers’ level will also be held today.
Ukrainian Defense Minister Rustem Umerov will participate in both events. It is the last ministerial meeting before the NATO summit in Washington in July. Over these two days, ministers are expected to come to agreements on issues that will be formally approved by the leaders of the Alliance countries in a month.
The priority is the sustainable long-term support of Ukraine. This includes strengthening NATO’s role in coordinating military assistance to Ukraine and conducting training for its Defense Forces.
Earlier, NATO Secretary General Jens Stoltenberg visited Hungary and held talks with Prime Minister Viktor Orban.
The visit’s purpose was to persuade Budapest not to block new initiatives to help Ukraine, as unanimity among NATO members is required for their approval. Hungary said it would not block the decisions but would not send funding or its troops to Ukraine.
Read more:
LinkedIn is launching new AI tools to help you look for jobs, write cover letters and job applications, personalize learning, and a new search experience.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 13:01Ukrainian forces have been repelling intense Russian attacks with armor and airstrikes near Chasiv Yar for three consecutive days, reports spokesperson.
Russian forces have been launching an intense, multi-day offensive attempting to break through Ukrainian defenses around the Chasiv Yar area in Donetsk Oblast. For three consecutive days, the invading troops have carried out virtually non-stop assaults, employing both armored vehicles and aviation against Chasiv Yar, a Ukrainian military spokesperson told Liga.
According to Nazar Voloshyn, a spokesman for the Khortytsia Operational-Strategic Grouping of Forces, Russian actions became “extremely active” starting on 10 June in the Chasiv Yar area. The enemy has almost continuously stormed the town with the aid of tanks and other armored vehicles.
Voloshyn stated that the occupiers are also trying to conduct assault operations supported by aircraft and drones. Russians are actively using unguided air-launched rockets and deploying unmanned aerial vehicles in the outskirts of Chasiv Yar, according to him.
Despite the onslaught, Ukrainian defense forces have successfully held their positions and even reinforced them in certain areas, the spokesman said. As of the early hours of 13 June, five combat engagements had already taken place – three Russian attacks were repelled near Andriivka, while two clashes were still ongoing near Ivanivske.
While the situation remains “somewhat tense”, the invading forces have suffered significant losses, according to Voloshyn. Over the past day alone, 90 Russian troops were killed and 138 wounded in this particular sector of the front.
Related:
"We are thinking about actions that will best serve our interests," Dmitry Peskov added
Tass 2024-06-13 12:12Explaining why Viktor Orban will not go to the conference in Switzerland, Gergely Gulyas said one should not expect much from "peace conferences without warring parties or when only one of them is present"
Tass 2024-06-13 12:12Backup approaches to computation of official currency rate in case of absence of currency trading were provided for in the relevant guidance of the Central Bank, the regulator noted
Tass 2024-06-13 12:12The BRICS Games are being held in Kazan from June 12 to 23
Tass 2024-06-13 12:12According to Dmitry Peskov, "such visits are also a common practice"
Tass 2024-06-13 12:12Zelenskyy stated Ukraine's priorities at his G7 meeting today include fighter jet coalition, pilot training, aircraft delivery, advanced Western air defenses, long-range capabilities, using Russian assets.
On 13 June, Ukraine will sign security agreements with the US and Japan on the sidelines of the G7 summit, Ukrainian President Volodymyr Zelenskyy reported on social media. The President is visiting the summit in Italy today.
In summer 2023, leaders from the G7, along with the presidents of the European Council and the European Commission, endorsed a “Joint Declaration on Support for Ukraine” at the G7 summit, committing to specific long-term security collaborations with Ukraine. This year, Kyiv focused on signing bilateral security pacts with its allies.
“Bilateral security agreements will be signed during meetings with US President Joe Biden and Japanese Prime Minister Fumio Kishida. The document with the United States will be unprecedented, as it should be for leaders who support Ukraine,” he wrote on X/Twitter.
No further details were provided regarding the planned security pacts.
Zelenskyy stated that Ukraine’s main priorities include forming a fighter jet coalition, expediting pilot training, accelerating aircraft delivery, and enhancing Ukrainian air defense systems with advanced Western technology. He also emphasized the importance of increasing long-range capabilities and utilizing Russian assets to benefit Ukraine’s defense industry through approval formats for joint weapon production.
Additionally, the Ukrainian President mentioned that he would attend the G7 meeting and engage in several bilateral discussions. His agenda includes meetings with the Summit’s host, Italian Prime Minister Giorgia Meloni, as well as with Canadian Prime Minister Justin Trudeau, UK Prime Minister Rishi Sunak, European Council President Charles Michel, and IMF Managing Director Kristalina Georgieva.
Related:
Euromaidan 2024-06-13 12:12
In coordinated action with G7 partners, the UK announced 50 new sanctions designations and specifications targeting the Russian "shadow fleet," financial institutions, and military suppliers to weaken Russia's ability to fund his war in Ukraine.
The UK Government has announced a new package of 50 sanctions designations and specifications aimed at degrading Russia’s ability to fund and sustain its illegal war in Ukraine. The measures, announced while Prime Minister Rishi Sunak attends the G7 Leaders Summit in Italy, are part of coordinated action with the UK’s G7 partners to support Ukraine.
These new sanctions target various entities and individuals involved in Russia’s war effort. Notably, the UK has imposed its first sanctions on vessels in Putin’s “shadow fleet,” used by Russia to circumvent existing sanctions and continue trade in Russian oil. The UK is also targeting suppliers of munitions, machine tools, microelectronics, and logistics to Russia’s military, including entities based in China, Israel, Kyrgyzstan, and Türkiye, as well as ships transporting military goods from North Korea to Russia.
Furthermore, the sanctions crack down on institutions at the heart of Russia’s financial system, such as the Moscow Stock Exchange, in coordination with the United States, which designated the exchange a day earlier, on 12 June.
UK Prime Minister Sunak emphasized that the UK will “always stand shoulder to shoulder with Ukraine in its fight for freedom,” and that “cutting off [Putin’s] ability to fund a prolonged conflict is absolutely vital.” British Foreign Secretary David Cameron stated that the sanctions are “starving Putin of the revenue he desperately needs to fund his war chest and making it harder to supply his war machine.”
According to the press release, sanctions have deprived Russia of over $400 billion worth of assets and revenues since February 2022, equivalent to four more years of funding for the invasion. The UK has sanctioned over 2,000 individuals and entities under its Russia sanctions regime, including 29 banks accounting for over 90% of the Russian banking sector and over 130 oligarchs and family members with a combined net worth of around £147 billion or $187.6 at the time of the invasion.
Related:
An Indian court has restrained Byju's from proceeding with its second rights issue amid allegations of oppression and mismanagement by its shareholders.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 12:12Ukrainian border guards collaborated with Polish and Dutch law enforcement to recover Jan Linsen's 1629 painting taken in a 2005 Dutch museum robbery.
As part of international cooperation to combat cross-border crime, Ukrainian border guards contributed to recovering a painting that Interpol had been searching for over the past 20 years.
After obtaining a tip, operatives probed a Ukrainian national who had left for Poland reportedly seeking contacts to sell Jan Linsen’s 1629 painting “Eliezer and Rebecca at the Well.” The culprit had also been seeking such contacts inside Ukraine, the Border Service of Ukraine reported.
The painting had been wanted by Interpol since 2005 when it was stolen from the Westfries Museum in the Netherlands along with 23 other paintings and 70 silver exhibits during a major heist. Many of those objects remain missing to this day.
The Ukrainian border guards received evidence pointing to an illegal art dealing in progress. The relevant information was forwarded to their Polish counterparts who confirmed the initial tip. The two border agencies, together with Dutch officials, then launched a joint operation to recover the artwork.
On Ukraine’s territory, the Dutch Embassy’s liaison officer was involved in the effort. As a result, the stolen 17th century painting by the Dutch master Jan Linsen (1603-1635) has been successfully located in an apartment in Poland and seized.
Law enforcement detained the perpetrator and pressed charges. The individual will be remanded in custody for three months as the investigation is led by the District Prosecutor’s Office of Kraków, Poland.
A Ukrainian man has been charged with dealing in stolen property and could face up to 10 years in prison. A local border guard spokesperson noted that the recovered painting is now safely stored at the Royal Castle in Kraków.
Related:
Eight foreign ministers call on the EU's foreign policy chief Borrell to restrict the movement of Russian diplomats and their families in the EU to the territory of states of their accreditation only.
Eight European Union foreign ministers have called on the EU to ban Russian diplomats from moving freely around the bloc and restrict them to countries where they are accredited.
In a letter to EU’s top diplomat Josep Borrell seen by Reuters, dated 11 June, the ministers stated that the “free movement of holders of Russian diplomatic and service passports, accredited in one host state, across the whole Schengen area is easing malign activities.”
The ministers, from the Czech Republic, Denmark, Estonia, Latvia, Lithuania, the Netherlands, Poland, and Romania, said that intelligence, propaganda “or even preparation of sabotage acts are the main workload for a large number of Russian ‘diplomats’ in the EU.“
While expulsions were acknowledged as important, the letter stated that the threat remained.
“We believe the EU should strictly follow the reciprocity principle and restrict the movement of members of Russian diplomatic missions and their family members to territory of a state of their accreditation only,” the ministers said, adding that “this measure will significantly narrow operational space for Russian agents.”
Related:
![]() | submitted by /u/zsreport [link] [comments] |
A Chinese AI content creator has challenged cybersecurity firm 360 Security Technology over its use of an image of a woman wearing an ancient costume, which he claims he created via an AI model to showcase a “partially redrawn feature” on the company’s search engine.
The argument between creator DynamicWang and 360 Security escalated as the two parties failed to settle, with the company’s vice president Liang Zhihui saying it is willing to resort to legal action.
Why it matters: As the emerging technology of artificial intelligence is increasingly being used to create content, authorship attribution lacks a clearly defined legal framework.
Details: Even before DynamicWang publicly asked 360 Security to apologize over the alleged copyright infringement on June 8, the firm was in the midst of a public opinion storm, this time over its perceived disrespect toward women. When founder Zhou Hongyi introduced the repainting function at the company’s AI product launch on June 6, he used “sexy” as a prompt to ask the AI-powered search engine to redraw a woman’s breasts of the female in the controversial picture, which DynamicWang since claimed was based on his AI-generated work.
Context: In January, the Beijing Internet Court granted copyright protection for an artificial intelligence-generated image, ruling that the image involved had an element of “originality” due to the plaintiff inputting multiple prompts and adjusting the parameters before generating a picture of a young woman through the text-to-image AI model Stable Diffusion. The ruling was seen as the first such AI-generated image copyright infringement case in China.
Technode 2024-06-13 10:10The specter of wastewater threatens to stall the construction of battery factories. One startup, though, says the solution isn’t to dispose of it, but recycle it.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 10:10Japan’s Ministry of Finance trade statistics show that half of Japan’s semiconductor manufacturing equipment exports were heading to China in the first quarter, according to the Japanese media outlet Nikkei Asia. In the first quarter, Japan’s total exports of semiconductor manufacturing equipment, components, and flat panel display manufacturing equipment to China were valued at $3.32 billion, a 82% year-on-year increase, and a new record post-2007. Notably, the share of Japanese semiconductor manufacturing equipment exported to China has exceeded 50% for three consecutive quarters, the report added. Last July, Japan announced export controls on 23 semiconductor-related items used for chip making to align with US restrictions on China’s ability to produce advanced semiconductors. [Icsmart, in Chinese]
Technode 2024-06-13 09:09The US government is considering additional restrictions on China’s access to advanced chip technology used in AI, Bloomberg reported on Tuesday. The potential measures aim to limit China’s ability to utilize a cutting-edge chip architecture known as gate all-around (GAA), the report said. GAA transistor architecture enhances chip performance and reduces power consumption. The specifics of the proposed rules are still under discussion, and it is unclear when a final decision will be made, according to the media outlet’s sources. Major semiconductor companies Nvidia, Intel, AMD, TSMC, and Samsung are planning to begin mass production of GAA-designed chips next year, the report added. [Bloomberg]
Technode 2024-06-13 07:07AccountsIQ, a Dublin-founded accounting technology company, has raised $65 million to build “the finance function of the future” for mid-sized companies.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 06:06 ![]() | submitted by /u/dparag14 [link] [comments] |
Android is losing one of its long-time engineering leads. Dave Burke, VP of engineering at Android, said on Thursday that he is stepping down from the role after 14 years. However, he is not leaving Alphabet and will be exploring “AI/bio” projects within the company. Burke was involved in pivotal projects at Android, including the […]
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-13 04:04Hi, Spring fans! Abdel Sghiouar is a senior Cloud Native Developer Advocate at Google, a co-host of the Kubernetes Podcast by Google and a CNCF Ambassador, and it was my pleasure to sit down with him at the amazing Spring IO event in Barcelona and catch up on all things Kubernetes and Google.
Spring 2024-06-13 00:12 ![]() | submitted by /u/vriska1 [link] [comments] |
![]() | submitted by /u/marketrent [link] [comments] |
submitted by /u/tnick771
[link] [comments]
![]() | submitted by /u/AccurateInflation167 [link] [comments] |
The demand for advanced process chips has surged, as AI servers and high-performance computing (HPC) applications transition to AI phones. Taiwanese media outlet Economic Daily News reported on Tuesday that Apple, Qualcomm, Nvidia, and AMD have almost booked TSMC’s 3nm process to full capacity, leading to a queue of customers extending to 2026.
Why it matters: The rapid evolution of AI technology across multiple sectors has driven a surge in demand for advanced process chips. Increasing orders from major clients is expected to further push TSMC to innovate and develop advanced manufacturing processes.
Details: Currently, TSMC’s 3nm lineup includes N3, N3E, N3P, N3X, and N3A, according to the Economic Daily News report.
Context:The total production value of the top ten semiconductor foundries in the first quarter reached $29.2 billion, a decrease of 4.3% compared to the previous quarter, according to market research firm TrendForce.
Apple is in the process of finding a way to bring Apple Intelligence, its system that integrates generative AI for iPhone, iPad, and Mac devices, to “all of our customers,” the tech giant’s top software engineer Craig Federighi said in an interview with media outlet FastCompany. Though he did not directly mention China, Apple’s second-largest market, Federighi did note that “in some regions of the world, there are regulations that need to be worked through,” and that Apple has started the relevant procedures. Large models need to get approval from authorities before a public-facing launch in China, where US-based OpenAI’s ChatGPT is not officially available. Apple has announced it forged a partnership with ChatGPT to power some of its AI “Intelligence” features at the company’s developer conference on Tuesday. [FastCompany]
Technode 2024-06-12 10:10A Russian airstrike using a KAB-500 guided bomb hit a residential area in Kostiantynivka, Donetsk Oblast, injuring 5 civilians aged 63-88 and damaging at least 13 apartment buildings, Prosecutor's Office says.
Russian forces conducted an airstrike using a guided KAB-500 bomb on a residential area in the city of Kostiantynivka, located in Donetsk Oblast around 7 km from the front lines. The strike occurred around 23:20 on 10 June, according to local reports on social media and the authorities.
Russia carries out repeated indiscriminate aerial attacks on settlements near the frontline, possibly to demoralize the residents and depopulate the areas.
According to the Donetsk Oblast Prosecutor’s Office, the bomb impacted residential buildings, injuring five local civilians – a 65-year-old man and four women aged 63 to 88 years old. They suffered head injuries and multiple lacerations and were hospitalized to receive medical treatment.
At least 13 apartment buildings sustained damage from the powerful blast wave, with shattered windows and broken glass throughout the residential units, according to the report.
The Donetsk Regional Prosecutor’s Office has opened an investigation into the attack for violating the laws and customs of war, which carries a maximum penalty of 12 years imprisonment.
The KAB-500 guided air bomb weighing 370-560 kg depending on its variant, can carry a 250-380 kg warhead.
Read also:
"The Eritrean leadership calls on Russia to join in ensuring security and maintaining peace on the African continent, to restore the role and influence that the Soviet Union had here," Igor Mozgo noted
Tass 2024-06-11 09:09On June 10, Chinese developer Game Science started the pre-sale of its upcoming action role-playing game Black Myth: Wukong, which sold out within seconds. Currently, reservations on the e-commerce platform JD have exceeded one million. The PC Deluxe and Collector’s Editions of Black Myth: Wukong are limited to 20,000 and 10,000 units, respectively, with prices of RMB 820 ($113) and RMB 1,998 ($276). Notably, the Deluxe Edition includes the Tightening Spell, a magical incantation decoration worn as a headband by the protagonist of the classical 16th-century Chinese novel Journey to the West. The release date for Black Myth: Wukong is set for August 20, with the digital standard edition priced at RMB 268 ($37). [IThome, in Chinese]
Technode 2024-06-11 09:09The US State Department lifts the ban on military aid to Ukraine's Azov Brigade, previously barred due to neo-Nazi allegations, after finding no evidence of human rights violations, allowing them equal access to US military assistance.
The Biden administration will allow a Ukrainian National Guard’s unit, Azov Brigade, to use US weapons, the State Department said on 10 June, having lifted a ban imposed years ago amid concerns in Washington about the group’s origins, The Washington Post reports.
The Azov Brigade, recognized for its determined yet ultimately unsuccessful defense of the Azovstal steel mill in Mariupol during the early stages of Russia’s full-scale invasion of Ukraine in 2022, is considered a highly effective combat unit. At the end of the siege of Mariupol, Ukraine ordered the remaining troops in the steel factory to surrender to Russian forces for survival, leaving over 900 in captivity as of early May this year.
Back, in 2015, the US House passed an amendment barring Azov from using the US arms, based solely on media reports labelling Azov as a “neo-Nazi” and “fascist” unit. The image of a “Nazi unit” was amplified internationally by Russian propaganda outlets and was even used by Russia to justify its full-scale invasion of Ukraine by the claims that Ukraine allegedly needs to be “denazified.”
Now absorbed into the Ukrainian National Guard as a formal unit since 2015, the brigade, originally a volunteer militia, will have access to the same US military assistance as any other unit.
“We fight real Nazis of today”: Azov commander slams US weapons ban in plea for aid
“After thorough review, Ukraine’s 12th Special Forces Azov Brigade passed Leahy vetting as carried out by the US Department of State,” the agency said in a statement, referring to the “Leahy Law” that prevents US military assistance from going to foreign units credibly found to have committed major human rights violations. The State Department found “no evidence” of such violations, its statement says.
Lifting the ban had been a top priority for Ukrainian officials, who argue that the brigade could have defended Azovstal more effectively in 2022 with access to US equipment. Additionally, members of the brigade were also prohibited from participating in training sessions organized by the US military.
Russian President Vladimir Putin has frequently cited the racist and ultranationalist allegations against the Azov Battalion to support his claim that Ukrainian fighters and their leaders in Kyiv are neo-Nazis. The shift in US policy is likely to reignite those Russian critiques, the Washington Post notes.
Read also:
"It is a meeting of special representatives on Afghanistan initiated by the UN Secretary-General," Zamir Kabulov said
Tass 2024-06-11 08:08Before the meeting, the ministers warmly greeted each other
Tass 2024-06-11 08:08On Russia Day, the country traditionally holds holiday concerts, mass open air celebrations and sports events
Tass 2024-06-11 08:08Yvan Gil Pinto also pointed out that Moscow and Caracas cooperate in agriculture, finance and education
Tass 2024-06-11 08:08On June 10, at WWDC 2024 (the Worldwide Developers Conference), Apple CEO Tim Cook announced plans for the Apple Vision Pro to be launched in markets outside the US, with pre-orders in China beginning on June 14 and official sales starting on June 28. The Apple Vision Pro headset is finally arriving in mainland China after being on the market for four months. Japan and Singapore will also start sales on the same day. The 256GB version of the Apple Vision Pro is priced at RMB 29,999 ($4,135), the 512GB version at RMB 31,499 ($4,342), and the 1TB version at RMB 32,999 ($4,549). Optical inserts, which are needed based on the user’s vision, must be purchased separately, starting at RMB 799 ($110). [Jiemian, in Chinese]
Technode 2024-06-11 08:08Igor Mozgo pointed out that Eritrea "came down on the side of Russia and have pursued this course ever since"
Tass 2024-06-11 08:08The Russian foreign minister pointed out that the countries are "effectively cooperating in the energy and medical spheres"
Tass 2024-06-11 08:08According to the report, IDF troops are continuing intelligence-based, targeted operations in the area of Rafah in the central Gaza Strip
Tass 2024-06-11 08:08Russia is intensifying efforts to recruit Africans, offering money and citizenship to replenish forces in Ukraine, amid domestic mobilization challenges, reports UK Defense Ministry.
According to the UK Defense Ministry’s latest intelligence update, Russia is significantly increasing its recruitment efforts in Africa to support its military operations in Ukraine, focusing on Rwanda, Burundi, Congo, and Uganda to enlist fighters. The expansion of recruitment across Global South is aimed at replenishing military losses in Ukraine, while avoiding mobilization in Russia, as per the Ministry.
The Ministry wrote:
Earlier, referring to unnamed European officials, Bloomberg reported that the Kremlin has coerced thousands of migrants and foreign students to bolster Russian forces in their offensive in Kharkiv Oblast. Russian officials have increasingly threatened not to renew the visas of African students and young workers unless they enlist in the military, while also recruiting convicts and detaining some Africans on work visas, offering them a choice between deportation or military service, although some have bribed officials to avoid enlistment, as per the Bloomberg sources.
Read also:
Muneo Suzuki "spoke with Japanese Prime Minister Fumio Kishida on May 14 and June 6 and recommended that he take a strong initiative for a ceasefire"
Tass 2024-06-11 08:08Cui Hongjian said that Ukraine's move is an attempt to demonstrate its "confidence" to the US and Europe in order to gain more support and assistance in the future
Tass 2024-06-11 08:08Sergey Lavrov and his Venezuelan counterpart Yvan Gil Pinto met on the sidelines of the BRICS ministerial meeting in Nizhny Novgorod
Tass 2024-06-11 07:07The dollar-to-ruble exchange rate at Moscow Exchange trading was 89.09 rubles, the euro-to-ruble rate reached 95.89 rubles
Tass 2024-06-11 07:07Chinese domestic travelers spent RMB 40.35 billion ($5.56 billion) during the Dragon Boat festival, three days in which 110 million trips were made, data from Ministry of Culture and Tourism showed. Per capita tourism expenditure rose 4.2% compared to the same period last year, though it lagged the 2019 figure. Consumer confidence remains damp on the second Dragon Boat Festival after China lifted its Covid-19 restrictions. The traditional June Chinese holiday sees people celebrate by eating sticky rice dumplings and racing dragon boats. Reports from mainstream local travel service providers showed bookings from smaller and county-level cities reached a fervor surpassing the popularity of travel experienced in China’s megacities. [Xinhua, in Chinese]
Technode 2024-06-11 07:07 ![]() | submitted by /u/DissolutionOfMeaning [link] [comments] |
Introduction: In this installment, Bill delves into the concept of load shedding in Go, explaining its importance in managing GoRoutines and ensuring clean shutdowns. How to manage GoRoutines using a parent-child relationship model to prevent orphan GoRoutines. The role of load shedding in maintaining clean and orderly shutdowns, particularly using the HTTP package in Go. Strategies for implementing GoRoutines in Go to handle concurrent tasks efficiently without risking data corruption during shutdowns.
ArdanLabs 2024-06-11 00:12Ukrainian forces successfully targeted three batteries of Russian S-400 and S-300 air defense systems in northern and western Crimea, however the Institute for the Study of War (ISW) reported that Ukraine's ability to hit Russian military targets with US-supplied weapons remains heavily restricted.
![]() | I am a sexless being. I know not what it is to be a woman at war. Men’s underwear has replaced stilettos for artist-turned-soldier Eva Tur; she smokes cigars and calls comrades “buddy” and “brother,” but knows not how to be female in the hell of war |
![]() | Ukraine war erodes Russia’s grip on Black Sea, Mediterranean. The ongoing war in Ukraine has damaged one-third of Russia’s Black Sea warships and cut off its ability to rotate naval assets through Turkish straits, weakening the Kremlin’s power projection in the Mediterranean region it once dominated. |
Military: Russians gain ground but fail to breach Chasiv Yar’s principal defense. Ukrainian forces maintain control of the main defensive position in Chasiv Yar despite Russian advances nearby and assaults on the town’s Kanal and, Novyi neighborhoods, the military says.
Ukraine hit three Russian S-300/400 air defense batteries in occupied Crimea, General Staff says. Ukraine’s military says it successfully targeted three batteries of Russian S-400 and S-300 air defense systems in northern and western Crimea. The results of the attacks are yet to be confrimed.
ISW: Ukraine’s ability to hit Russian military targets with US weapons still heavily restricted. Biden’s policy change allows Ukraine to strike some Russian military targets within a small area, reducing Russia’s ground sanctuary by maximum 16%, with another 84% within the ATACMS range preserved, ISW says.
As of 10 Jun 2024, the approximate losses of weapons and military equipment of the Russian Armed Forces from the beginning of the invasion to the present day:
Ukraine to position some of its future F-16s at foreign air bases. This will protect them from Russian strikes and create an operational reserve of aircraft.
US confirms Ukraine used Patriot to down Russia’s valuable A-50 radar plane in January. A senior US Army officer has confirmed that Ukraine used American-supplied Patriot surface-to-air missile systems to down a Russian Beriev A-50 airborne early warning and control aircraft in January 2024, a historic first.
Ukraine ready for Swedish Gripens: infrastructure in place, says aviation chief. While Ukraine’s current priority is acquiring F-16s, the country has also submitted all the necessary requests to procure Gripens.
France can transfer only six Mirage 2000-5 jets to Ukraine, La Tribune says. La Tribune says France can transfer only six Mirage 2000-5s, contributions from other nations with the jets – Qatar, Greece, UAE – are needed for more.
Pro-Ukrainian parties maintain majority in EU elections, far-right parties still make gains. The center-right European People’s Party (EPP), which largely backs Ukraine in its war with Russia, secured 186 out of 720 seats in the European Parliament, while far-right parties, especially in Germany and France, which have been found to have connections to Russia, received more seats in the parliament than before.
Biden, Macron agree on using frozen Russian asset profits to aid Ukraine. Group of Seven nations (G7) and the European Union (EU) are considering using profits from almost $300 billion frozen Russian assets to provide Ukraine with a substantial up-front loan, estimated at $2.6-$3.7 billion annually, and secure its financing through 2025.
Over 160 Russian torture sites found in Ukraine, says Ukrainian prosecutor general. The investigation has recognized more than 3,800 civilians and 2,200 POWs as victims of Russian war crimes.
Latvian charity music festival raises funds to support Ukrainian soldiers on frontlines. Osokins Festival of Freedom for Ukraine is a musical festival dedicated to Ukraine for the last three years and raises funds to purchase essential supplies for Ukrainian defenders, collecting more than $171,000 over the past 18 months and sending over 25,000 self-heating lunches to Ukrainian frontlines, as per the event’s organizer Andrejs Osokins.
Activists report mass repressions in Crimea against pro-Ukrainian supporters and Crimean Tatars. Since the beginning of the occupation of Crimea, the Russian Federation has initiated a broad repressive campaign against the peninsula’s residents, leading to over 300 political prisoners and numerous administrative and criminal proceedings targeting Crimean Tatars and pro-Ukrainian activists,
Ukraine ratifies EBRD agreement for Chornobyl restoration after occupation by Russian military in 2022. This agreement opens the door for international aid from 18 countries, including the US, UK, Germany, France, and Canada.
Ukrainians’ support for wartime criticism of authorities risen since 2022. When Russia’s full-scale invasion started in 2022, the majority of Ukrainians believed that it was not necessary to critisize the government to avoid destabilizing the situation, however a survey by the Kyiv International Institute of Sociology (KIIS) in May 2024 reveals that 31% of Ukrainians think criticism should be harsh and uncompromising, while 63% believe it should be constructive.
Ukraine’s government excludes top restoration official from annual recovery conference, he resigns. Mustafa Nayyem, head of Ukraine’s Agency for Restoration and Infrastructure Development, claims he hasn’t received an invitation from the Ukrainian government to the annual Ukraine Recovery Conference in Berlin, while the government justifies this decision by a scheduled meeting for the Agency on the same date.
Russian-installed authorities in Crimea ramp up army recruitment advertising. In temporarily occupied Crimea, a surge in recruitment advertising by Russian-installed authorities signals a desperate push to bolster military ranks, as Moscow intensifies efforts to turn the peninsula into a strategic launchpad for its ongoing war against Ukraine. According to Krym.Realii, outdoor and online advertisements for contractual army service have multiplied, amid promises of high pay and land incentives.
Read the daily review for 9 June 2024 here
Euromaidan 2024-06-10 23:11The center-right European People's Party (EPP), which largely backs Ukraine in its war with Russia, secured 186 out of 720 seats in the European Parliament, while far-right parties, especially in Germany and France, which have been found to have connections to Russia, received more seats in the parliament than before.
The results of the European Parliament elections for 2024-2029 show that far-right parties have some gains, particularly due to the results in France and Germany. However, pro-Ukrainian centrist groups still retain their majority.
European far-right parties, such as Germany’s Alternative for Germany (AfD), were found to have ties with Russia and accused of Kremlin influence and Russian propaganda within their ranks.
Nevertheless, the center-right European People’s Party (EPP) takes the lead with 186 out of 720 seats, according to the European Parliament. This party largely supports Ukraine in its war against Russia. The centrist coalition, which currently forms the European Commission, is likely to maintain its majority, with Ursula von der Leyen from the EPP expected to be the candidate for the President of the European Commission once again, as stated by Radio Liberty (RL).
Since Russia’s full-scale invasion in 2022, Ursula von der Leyen has been a staunch supporter of Ukraine, advocating for economic sanctions against Russia and providing financial and humanitarian aid to Ukraine while also encouraging Ukraine’s EU membership aspirations.
EPP is followed by its two main partners – the center-left Socialists and Democrats with 135 seats and the centrist Renew Europe party with 79 seats.
According to the European Parliament, the two far-right groups, European Conservatives and Reformists and the smaller Identity and Democracy party, follow with 73 and 58 seats, respectively.
The European Parliament is one of the core decision-making and budget allocation bodies of the European Union. Its responsibilities include matters such as financial aid to Ukraine in its war against Russia and Ukraine’s ascension to the EU.
In France, the far-right party National Rally secured first place in the elections, doubling the number of seats compared to President Emmanuel Macron’s allies. In response to the preliminary election results, Macron announced the dissolution of the French Parliament on 9 June and called for new elections on 10 June.
The conservative Christian Democratic Union (CDU) and Christian Social Union of Bavaria (CSU) bloc won the elections in Germany by a large margin, with the far-right Alternative for Germany (AfD) party coming in second place, as expected. Chancellor Olaf Scholz’s leading party in the ruling coalition, the Social Democrats, finished third.
In March 2024, German media suspected AfD members of receiving funds from Russia through a pro-Kremlin network, aiming to promote pro-Russian messaging ahead of EU elections.
Both Macron and Scholz have been active in providing military aid to Ukraine since 2022 and recently allowed Ukraine to strike military targets inside Russia
In Austria, the far-right Freedom Party, known for its criticism of anti-war sanctions against Russia, is leading. In Spain, the right-wing People’s Party is slightly ahead of the ruling Socialists.
In Italy, Prime Minister Giorgia Meloni’s far-right party, the Brothers of Italy, is leading the European Parliament elections with an expected result of 26-30%.
However, in the Netherlands, the alliance of Socialists and Greens, led by former European Commission Vice-President Frans Timmermans, is ahead of Geert Wilders’ right-wing Party for Freedom, which had convincingly won the parliamentary elections in the fall, according to RL.
In Belgium, the right-wing nationalists from the New Flemish Alliance won the elections. Belgian Prime Minister Alexander De Croo announced his resignation following the significant defeat of his party, the Open Flemish Liberals and Democrats, in both the national parliamentary elections and the European Parliament elections.
Approximately 360 million voters from the 27 EU countries were eligible to participate in the 6-9 June voting, which saw higher voter turnout in most countries compared to the 2019 elections.
In the spring of 2024, Russia escalated hybrid attacks on Western allies of Ukraine, including sabotage, cyberattacks, and propaganda ahead of the EU elections. Incidents included Russian agents’ increased activities, arrests for espionage in Germany, and cyberattacks in Czechia.
Read more:
Kremlin intensifies sabotage and propaganda in the West ahead of EU elections
Assistant of German far-right AfD top candidate for EU elections arrested in China spy case
The future of the EU is being written in Ukraine, the heart of Europe – Ursula von der Leyen
Euromaidan 2024-06-10 22:10The TechCrunch team runs down all of the biggest news from the Apple WWDC 2024 keynote in an easy-to-skim digest.
© 2024 TechCrunch. All rights reserved. For personal use only.
Techcrunch 2024-06-10 22:10 ![]() | submitted by /u/ourlifeintoronto [link] [comments] |