현재 대규모 전자상거래 시스템의 대부분은 마스터 데이터베이스와 다중 슬레이브 데이터베이스인 데이터베이스 수준의 읽기-쓰기 분리 기술을 사용합니다. Master 라이브러리는 데이터 업데이트와 실시간 데이터 쿼리를 담당하고, Slave 라이브러리는 물론 비실시간 데이터 쿼리를 담당합니다. 실제 애플리케이션에서는 데이터베이스가 더 많이 읽고 더 적게 쓰기 때문에(데이터를 읽는 빈도는 높고 데이터를 업데이트하는 빈도는 상대적으로 낮음) 일반적으로 데이터를 읽는 데 시간이 오래 걸리고 데이터베이스 서버의 CPU를 많이 차지합니다. , 그래서 사용자 경험에 영향을 미칩니다. 우리의 일반적인 접근 방식은 기본 데이터베이스에서 쿼리를 추출하고, 여러 슬레이브 데이터베이스를 사용하고, 로드 밸런싱을 사용하여 각 슬레이브 데이터베이스에 대한 쿼리 부담을 줄이는 것입니다.
읽기-쓰기 분리 기술 사용의 목표: 마스터 라이브러리에 대한 부담을 효과적으로 줄이고 데이터 쿼리에 대한 사용자 요청을 다른 슬레이브 라이브러리에 분산시켜 시스템의 견고성을 보장합니다. 읽기-쓰기 분리를 채택하게 된 배경을 살펴보자.
웹사이트의 비즈니스가 지속적으로 확장되고, 데이터가 지속적으로 증가하고, 사용자가 점점 많아지면서 데이터베이스나 SQL 최적화와 같은 전통적인 방법이 기본적으로 증가하고 있습니다. 충분하지 않은 경우에는 읽기와 쓰기를 분리하는 전략을 사용하여 현상을 변경할 수 있습니다.
구체적으로 개발 시 읽기와 쓰기를 어떻게 쉽게 분리할 수 있나요? 현재 일반적으로 사용되는 두 가지 방법이 있습니다.
1 첫 번째 방법은 가장 일반적으로 사용되는 방법으로 정의합니다. 2 데이터베이스 연결, 하나는 MasterDataSource이고 다른 하나는 SlaveDataSource입니다. 데이터를 업데이트할 때 MasterDataSource를 읽고, 데이터를 쿼리할 때 SlaveDataSource를 읽습니다. 이 방법은 매우 간단하므로 자세히 설명하지 않겠습니다.
2 동적 데이터 소스 전환의 두 번째 방법은 프로그램이 실행될 때 데이터 소스를 프로그램에 동적으로 엮어 메인 라이브러리 또는 슬레이브 라이브러리에서 읽도록 선택하는 것입니다. 사용되는 주요 기술은 주석, Spring AOP, 리플렉션입니다. 구현 방법은 아래에서 자세히 소개하겠습니다.
구현 방법을 소개하기 전에 먼저 필요한 지식을 준비합니다. Spring의 AbstractRoutingDataSource 클래스
AbstractRoutingDataSource 클래스는 Spring 2.0 이후에 추가되었습니다. 먼저 AbstractRoutingDataSource의 정의를 살펴보겠습니다.
public abstract class AbstractRoutingDataSource extends AbstractDataSource implements InitializingBean {}
AbstractRoutingDataSource는 DataSource의 하위 클래스인 AbstractDataSource를 상속합니다. DataSource는 javax.sql의 데이터 소스 인터페이스로 다음과 같이 정의됩니다.
public interface DataSource extends CommonDataSource,Wrapper { /** * <p>Attempts to establish a connection with the data source that * this <code>DataSource</code> object represents. * * @return a connection to the data source * @exception SQLException if a database access error occurs */ Connection getConnection() throws SQLException; /** * <p>Attempts to establish a connection with the data source that * this <code>DataSource</code> object represents. * * @param username the database user on whose behalf the connection is * being made * @param password the user's password * @return a connection to the data source * @exception SQLException if a database access error occurs * @since 1.4 */ Connection getConnection(String username, String password) throws SQLException; }
DataSource 인터페이스는 두 가지 메소드를 정의하며 둘 다 데이터베이스 연결을 얻습니다. AbstractRoutingDataSource가 DataSource 인터페이스를 구현하는 방법을 살펴보겠습니다.
public Connection getConnection() throws SQLException { return determineTargetDataSource().getConnection(); } public Connection getConnection(String username, String password) throws SQLException { return determineTargetDataSource().getConnection(username, password); }
분명히 연결을 얻기 위해 고유한determinTargetDataSource() 메서드를 호출합니다. DefineTargetDataSource 메소드는 다음과 같이 정의됩니다:
protected DataSource determineTargetDataSource() { Assert.notNull(this.resolvedDataSources, "DataSource router not initialized"); Object lookupKey = determineCurrentLookupKey(); DataSource dataSource = this.resolvedDataSources.get(lookupKey); if (dataSource == null && (this.lenientFallback || lookupKey == null)) { dataSource = this.resolvedDefaultDataSource; } if (dataSource == null) { throw new IllegalStateException("Cannot determine target DataSource for lookup key [" + lookupKey + "]"); } return dataSource; }
우리가 가장 우려하는 것은 다음 2개의 문장입니다:
Object lookupKey = determineCurrentLookupKey(); DataSource dataSource = this.resolvedDataSources.get(lookupKey);
determinCurrentLookupKey 메소드는 LookupKey를 반환하고,solvedDataSources 메소드는 LookupKey를 기반으로 Map에서 데이터 소스를 가져옵니다. ResolvedDataSources 및 DetermedCurrentLookupKey는 다음과 같이 정의됩니다.
private Map<Object, DataSource> resolvedDataSources; protected abstract Object determineCurrentLookupKey()
위의 정의를 보면 몇 가지 아이디어가 있습니까?
AbstractRoutingDataSource를 상속하고 Map 키, 마스터 또는 슬레이브를 반환하는 해당 DefineCurrentLookupKey() 메서드를 구현하는 DynamicDataSource 클래스를 작성하고 있습니다.
글쎄, 얘기를 너무 많이 해서 좀 심심해서 어떻게 구현하는지 살펴보겠습니다.
우리가 사용하고 싶은 기술은 위에서 언급했습니다. 먼저 주석의 정의를 살펴보겠습니다.
@Retention(RetentionPolicy.RUNTIME) @Target(ElementType.METHOD) public @interface DataSource { String value(); }
또한 구현해야 합니다. Spring의 추상화 AbstractRoutingDataSource 클래스는 다음과 같은determinCurrentLookupKey 메소드를 구현합니다:
public class DynamicDataSource extends AbstractRoutingDataSource { @Override protected Object determineCurrentLookupKey() { // TODO Auto-generated method stub return DynamicDataSourceHolder.getDataSouce(); } } public class DynamicDataSourceHolder { public static final ThreadLocal<String> holder = new ThreadLocal<String>(); public static void putDataSource(String name) { holder.set(name); } public static String getDataSouce() { return holder.get(); } }
DynamicDataSource의 정의에서 우리에게 필요한 DynamicDataSourceHolder.getDataSouce() 값을 반환합니다. 프로그램에서 실행하려면 DynamicDataSourceHolder.putDataSource() 메서드를 호출할 때 값을 할당하세요. 다음은 우리 구현의 핵심 부분이며, DataSourceAspect는 다음과 같이 정의됩니다:
public class DataSourceAspect { public void before(JoinPoint point) { Object target = point.getTarget(); String method = point.getSignature().getName(); Class<?>[] classz = target.getClass().getInterfaces(); Class<?>[] parameterTypes = ((MethodSignature) point.getSignature()) .getMethod().getParameterTypes(); try { Method m = classz[0].getMethod(method, parameterTypes); if (m != null && m.isAnnotationPresent(DataSource.class)) { DataSource data = m .getAnnotation(DataSource.class); DynamicDataSourceHolder.putDataSource(data.value()); System.out.println(data.value()); } } catch (Exception e) { // TODO: handle exception } } }
테스트를 용이하게 하기 위해 2개를 정의했습니다. 데이터베이스, 상점 시뮬레이션 마스터 라이브러리, 테스트는 슬레이브 라이브러리를 시뮬레이션합니다. 상점과 테스트의 테이블 구조는 동일하지만 데이터가 다릅니다. 데이터베이스 구성은 다음과 같습니다.
<bean id="masterdataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource"> <property name="driverClassName" value="com.mysql.jdbc.Driver" /> <property name="url" value="jdbc:mysql://127.0.0.1:3306/shop" /> <property name="username" value="root" /> <property name="password" value="yangyanping0615" /> </bean> <bean id="slavedataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource"> <property name="driverClassName" value="com.mysql.jdbc.Driver" /> <property name="url" value="jdbc:mysql://127.0.0.1:3306/test" /> <property name="username" value="root" /> <property name="password" value="yangyanping0615" /> </bean> <beans:bean id="dataSource" class="com.air.shop.common.db.DynamicDataSource"> <property name="targetDataSources"> <map key-type="java.lang.String"> <!-- write --> <entry key="master" value-ref="masterdataSource"/> <!-- read --> <entry key="slave" value-ref="slavedataSource"/> </map> </property> <property name="defaultTargetDataSource" ref="masterdataSource"/> </beans:bean> <bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager"> <property name="dataSource" ref="dataSource" /> </bean> <!-- 配置SqlSessionFactoryBean --> <bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean"> <property name="dataSource" ref="dataSource" /> <property name="configLocation" value="classpath:config/mybatis-config.xml" /> </bean>
스프링 구성에 aop 구성 추가
<!-- 配置数据库注解aop --> <aop:aspectj-autoproxy></aop:aspectj-autoproxy> <beans:bean id="manyDataSourceAspect" class="com.air.shop.proxy.DataSourceAspect" /> <aop:config> <aop:aspect id="c" ref="manyDataSourceAspect"> <aop:pointcut id="tx" expression="execution(* com.air.shop.mapper.*.*(..))"/> <aop:before pointcut-ref="tx" method="before"/> </aop:aspect> </aop:config> <!-- 配置数据库注解aop -->
다음은 테스트를 용이하게 하기 위해 MyBatis의 UserMapper 정의입니다. library이고 사용자 목록은 슬레이브 라이브러리를 읽습니다.
public interface UserMapper { @DataSource("master") public void add(User user); @DataSource("master") public void update(User user); @DataSource("master") public void delete(int id); @DataSource("slave") public User loadbyid(int id); @DataSource("master") public User loadbyname(String name); @DataSource("slave") public List<User> list(); }
좋아요. Eclipse를 실행하여 효과를 확인하고, 사용자 이름 admin을 입력하고 로그인하여 확인하세요. 효과
위 내용은 이 글의 전체 내용입니다. 모든 분들의 학습에 도움이 되기를 바랍니다. 또한 모든 분들이 PHP 중국어 웹사이트를 지지해 주시길 바랍니다.
데이터베이스 읽기-쓰기 분리를 구현한 Spring 예제에 대한 더 많은 관련 기사를 보려면 PHP 중국어 웹사이트를 주목하세요!

이 기사는 2025 년에 상위 4 개의 JavaScript 프레임 워크 (React, Angular, Vue, Svelte)를 분석하여 성능, 확장 성 및 향후 전망을 비교합니다. 강력한 공동체와 생태계로 인해 모두 지배적이지만 상대적으로 대중적으로

이 기사는 원격 코드 실행을 허용하는 중요한 결함 인 Snakeyaml의 CVE-2022-1471 취약점을 다룹니다. Snakeyaml 1.33 이상으로 Spring Boot 응용 프로그램을 업그레이드하는 방법에 대해 자세히 설명합니다.

이 기사는 카페인 및 구아바 캐시를 사용하여 자바에서 다단계 캐싱을 구현하여 응용 프로그램 성능을 향상시키는 것에 대해 설명합니다. 구성 및 퇴거 정책 관리 Best Pra와 함께 설정, 통합 및 성능 이점을 다룹니다.

Java의 클래스 로딩에는 부트 스트랩, 확장 및 응용 프로그램 클래스 로더가있는 계층 적 시스템을 사용하여 클래스로드, 링크 및 초기화 클래스가 포함됩니다. 학부모 위임 모델은 핵심 클래스가 먼저로드되어 사용자 정의 클래스 LOA에 영향을 미치도록합니다.

Node.js 20은 V8 엔진 개선, 특히 더 빠른 쓰레기 수집 및 I/O를 통해 성능을 크게 향상시킵니다. 새로운 기능에는 더 나은 webAssembly 지원 및 정제 디버깅 도구, 개발자 생산성 및 응용 속도 향상이 포함됩니다.

대규모 분석 데이터 세트를위한 오픈 테이블 형식 인 Iceberg는 데이터 호수 성능 및 확장 성을 향상시킵니다. 내부 메타 데이터 관리를 통한 Parquet/Orc의 한계를 해결하여 효율적인 스키마 진화, 시간 여행, 동시 W를 가능하게합니다.

이 기사는 Lambda 표현식, 스트림 API, 메소드 참조 및 선택 사항을 사용하여 기능 프로그래밍을 Java에 통합합니다. 간결함과 불변성을 통한 개선 된 코드 가독성 및 유지 관리 가능성과 같은 이점을 강조합니다.

이 기사는 캐싱 및 게으른 하중과 같은 고급 기능을 사용하여 객체 관계 매핑에 JPA를 사용하는 것에 대해 설명합니다. 잠재적 인 함정을 강조하면서 성능을 최적화하기위한 설정, 엔티티 매핑 및 모범 사례를 다룹니다. [159 문자]


핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

AI Hentai Generator
AI Hentai를 무료로 생성하십시오.

인기 기사

뜨거운 도구

드림위버 CS6
시각적 웹 개발 도구

스튜디오 13.0.1 보내기
강력한 PHP 통합 개발 환경

에디트플러스 중국어 크랙 버전
작은 크기, 구문 강조, 코드 프롬프트 기능을 지원하지 않음

SublimeText3 영어 버전
권장 사항: Win 버전, 코드 프롬프트 지원!

ZendStudio 13.5.1 맥
강력한 PHP 통합 개발 환경
