fix: un-revert prefectures :BocchiSobSmile: (#173)

Co-authored-by: alexay7 <43906716+alexay7@users.noreply.github.com>
This commit is contained in:
Raymond 2025-08-22 08:24:48 -04:00 committed by GitHub
parent fc3f2171ee
commit 6ca419dd5b
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
22 changed files with 274 additions and 30 deletions

View File

@ -4,6 +4,7 @@
import GameSettingFields from "./GameSettingFields.svelte"; import GameSettingFields from "./GameSettingFields.svelte";
import { t, ts } from "../../libs/i18n"; import { t, ts } from "../../libs/i18n";
import useLocalStorage from "../../libs/hooks/useLocalStorage.svelte"; import useLocalStorage from "../../libs/hooks/useLocalStorage.svelte";
import RegionSelector from "./RegionSelector.svelte";
const rounding = useLocalStorage("rounding", true); const rounding = useLocalStorage("rounding", true);
</script> </script>
@ -22,6 +23,11 @@
</label> </label>
</div> </div>
</div> </div>
<div class="divider"></div>
<blockquote>
{ts("settings.regionNotice")}
</blockquote>
<RegionSelector/>
</div> </div>
<style lang="sass"> <style lang="sass">
@ -44,19 +50,10 @@
.desc .desc
opacity: 0.6 opacity: 0.6
.field .divider
display: flex width: 100%
flex-direction: column height: 0.5px
background: white
label opacity: 0.2
max-width: max-content margin: 0.4rem 0
> div:not(.bool)
display: flex
align-items: center
gap: 1rem
margin-top: 0.5rem
> input
flex: 1
</style> </style>

View File

@ -0,0 +1,59 @@
<script lang="ts">
import { USER} from "../../libs/sdk";
import { ts } from "../../libs/i18n";
import StatusOverlays from "../StatusOverlays.svelte";
let regionId = $state(0);
let submitting = ""
let error: string;
const prefectures = ["None","Aichi","Aomori","Akita","Ishikawa","Ibaraki","Iwate","Ehime","Oita","Osaka","Okayama","Okinawa","Kagawa","Kagoshima","Kanagawa","Gifu","Kyoto","Kumamoto","Gunma","Kochi","Saitama","Saga","Shiga","Shizuoka","Shimane","Chiba","Tokyo","Tokushima","Tochigi","Tottori","Toyama","Nagasaki","Nagano","Nara","Niigata","Hyogo","Hiroshima","Fukui","Fukuoka","Fukushima","Hokkaido","Mie","Miyagi","Miyazaki","Yamagata","Yamaguchi","Yamanashi","Wakayama"]
USER.me().then(user => {
const parsedRegion = parseInt(user.region);
if (!isNaN(parsedRegion) && parsedRegion > 0) {
regionId = parsedRegion - 1;
} else {
regionId = 0;
}
})
async function saveNewRegion() {
if (submitting) return false
submitting = "region"
await USER.changeRegion(regionId+1).catch(e => error = e.message).finally(() => submitting = "")
return true
}
</script>
<div class="fields">
<label for="rounding">
<span class="name">{ts(`settings.regionSelector.title`)}</span>
<span class="desc">{ts(`settings.regionSelector.desc`)}</span>
</label>
<select bind:value={regionId} on:change={saveNewRegion}>
<option value={0} disabled selected>{ts("settings.regionSelector.select")}</option>
{#each prefectures.slice(1) as prefecture, index}
<option value={index}>{prefecture}</option>
{/each}
</select>
</div>
<StatusOverlays {error} loading={!!submitting}/>
<style lang="sass">
@use "../../vars"
.fields
display: flex
flex-direction: column
gap: 12px
label
display: flex
flex-direction: column
.desc
opacity: 0.6
</style>

View File

@ -19,6 +19,7 @@ export interface AquaNetUser {
email: string email: string
displayName: string displayName: string
country: string country: string
region:string
lastLogin: number lastLogin: number
regTime: number regTime: number
profileLocation: string profileLocation: string

View File

@ -195,7 +195,11 @@ export const EN_REF_SETTINGS = {
'settings.export': 'Export Player Data', 'settings.export': 'Export Player Data',
'settings.batchManualExport': "Export in Batch Manual (for Tachi)", 'settings.batchManualExport': "Export in Batch Manual (for Tachi)",
'settings.cabNotice': "Note: These settings will only affect your own cab/setup. If you're playing on someone else's setup, please contact them to change these settings.", 'settings.cabNotice': "Note: These settings will only affect your own cab/setup. If you're playing on someone else's setup, please contact them to change these settings.",
'settings.gameNotice': "These only apply to Mai and Wacca." 'settings.gameNotice': "These only apply to Mai and Wacca.",
'settings.regionNotice': "These only apply to Mai, Ongeki and Chuni.",
'settings.regionSelector.title': "Prefecture Selector",
'settings.regionSelector.desc': "Select the region where you want the game to think you are playing",
'settings.regionSelector.select': "Select Prefecture",
} }
export const EN_REF_USERBOX = { export const EN_REF_USERBOX = {

View File

@ -208,6 +208,14 @@ const zhSettings: typeof EN_REF_SETTINGS = {
'settings.batchManualExport': "导出 Batch Manual 格式(用于 Tachi", 'settings.batchManualExport': "导出 Batch Manual 格式(用于 Tachi",
'settings.cabNotice': '注意:下面这些设置只会影响你自己的机器,如果你是在其他人的机器上玩的话,请联系机主来改设置', 'settings.cabNotice': '注意:下面这些设置只会影响你自己的机器,如果你是在其他人的机器上玩的话,请联系机主来改设置',
'settings.gameNotice': "这些设置仅对舞萌和华卡生效。", 'settings.gameNotice': "这些设置仅对舞萌和华卡生效。",
// AI
'settings.regionNotice': "这些设置仅适用于舞萌、音击和中二。",
// AI
'settings.regionSelector.title': "地区选择器",
// AI
'settings.regionSelector.desc': "选择游戏中显示的地区",
// AI
'settings.regionSelector.select': "选择地区",
} }
export const zhUserbox: typeof EN_REF_USERBOX = { export const zhUserbox: typeof EN_REF_USERBOX = {

View File

@ -196,6 +196,8 @@ export const USER = {
}, },
isLoggedIn, isLoggedIn,
ensureLoggedIn, ensureLoggedIn,
changeRegion: (regionId: number) =>
post('/api/v2/user/change-region', { regionId }),
} }
export const USERBOX = { export const USERBOX = {

View File

@ -161,7 +161,7 @@ class UserRegistrar(
// Check if user exists, treat as email / username // Check if user exists, treat as email / username
val user = async { userRepo.findByEmailIgnoreCase(email) ?: userRepo.findByUsernameIgnoreCase(email) } val user = async { userRepo.findByEmailIgnoreCase(email) ?: userRepo.findByUsernameIgnoreCase(email) }
?: return SUCCESS // obviously dont tell them if the email exists or not ?: return SUCCESS // obviously dont tell them if the email exists or not
// Check if email is verified // Check if email is verified
if (!user.emailConfirmed && emailProps.enable) 400 - "Email not verified" if (!user.emailConfirmed && emailProps.enable) 400 - "Email not verified"
@ -179,7 +179,7 @@ class UserRegistrar(
// Send a password reset email // Send a password reset email
emailService.sendPasswordReset(user) emailService.sendPasswordReset(user)
return SUCCESS return SUCCESS
} }
@ -189,7 +189,7 @@ class UserRegistrar(
@RP token: Str, @RP password: Str, @RP token: Str, @RP password: Str,
request: HttpServletRequest request: HttpServletRequest
) : Any { ) : Any {
// Find the reset token // Find the reset token
val reset = async { resetPasswordRepo.findByToken(token) } val reset = async { resetPasswordRepo.findByToken(token) }
@ -302,4 +302,17 @@ class UserRegistrar(
SUCCESS SUCCESS
} }
@API("/change-region")
@Doc("Change the region of the user.", "Success message")
suspend fun changeRegion(@RP token: Str, @RP regionId: Str) = jwt.auth(token) { u ->
// Check if the region is valid (between 1 and 47)
val r = regionId.toIntOrNull() ?: (400 - "Invalid region")
if (r !in 1..47) 400 - "Invalid region"
async {
userRepo.save(u.apply { region = r.toString() })
}
SUCCESS
}
} }

View File

@ -43,6 +43,10 @@ class AquaNetUser(
@Column(length = 3) @Column(length = 3)
var country: String = "", var country: String = "",
// Region code at most 2 characters
@Column(length = 2)
var region: String = "",
// Last login time // Last login time
var lastLogin: Long = 0L, var lastLogin: Long = 0L,

View File

@ -103,6 +103,7 @@ class AllNet(
// encode UTF-8, format_ver 3, hops 1 token 2010451813 // encode UTF-8, format_ver 3, hops 1 token 2010451813
val reqMap = decodeAllNet(dataStream.readAllBytes()) val reqMap = decodeAllNet(dataStream.readAllBytes())
val serial = reqMap["serial"] ?: "" val serial = reqMap["serial"] ?: ""
var region = props.map.mut["region0"] ?: "1"
logger.info("AllNet /PowerOn : $reqMap") logger.info("AllNet /PowerOn : $reqMap")
var session: String? = null var session: String? = null
@ -114,6 +115,10 @@ class AllNet(
if (u != null) { if (u != null) {
// Create a new session for the user // Create a new session for the user
logger.info("> Keychip authenticated: ${u.auId} ${u.computedName}") logger.info("> Keychip authenticated: ${u.auId} ${u.computedName}")
// If the user defined its own region apply it
if (u.region.isNotBlank()) {
region = u.region
}
session = keychipSessionService.new(u, reqMap["game_id"] ?: "").token session = keychipSessionService.new(u, reqMap["game_id"] ?: "").token
} }
@ -140,6 +145,7 @@ class AllNet(
val resp = props.map.mut + mapOf( val resp = props.map.mut + mapOf(
"uri" to switchUri(here, localPort, gameId, ver, session), "uri" to switchUri(here, localPort, gameId, ver, session),
"host" to props.host.ifBlank { here }, "host" to props.host.ifBlank { here },
"region0" to region
) )
// Different responses for different versions // Different responses for different versions

View File

@ -83,7 +83,6 @@ fun ChusanController.chusanInit() {
"GetUserCtoCPlay" { """{"userId":"${data["userId"]}","orderBy":"0","count":"0","userCtoCPlayList":[]}""" } "GetUserCtoCPlay" { """{"userId":"${data["userId"]}","orderBy":"0","count":"0","userCtoCPlayList":[]}""" }
"GetUserRivalMusic" { """{"userId":"${data["userId"]}","rivalId":"0","length":"0","nextIndex":"0","userRivalMusicList":[]}""" } "GetUserRivalMusic" { """{"userId":"${data["userId"]}","rivalId":"0","length":"0","nextIndex":"0","userRivalMusicList":[]}""" }
"GetUserRivalData" { """{"userId":"${data["userId"]}","length":"0","userRivalData":[]}""" } "GetUserRivalData" { """{"userId":"${data["userId"]}","length":"0","userRivalData":[]}""" }
"GetUserRegion" { """{"userId":"${data["userId"]}","length":"0","userRegionList":[]}""" }
"GetUserPrintedCard" { """{"userId":"${data["userId"]}","length":0,"nextIndex":-1,"userPrintedCardList":[]}""" } "GetUserPrintedCard" { """{"userId":"${data["userId"]}","length":0,"nextIndex":-1,"userPrintedCardList":[]}""" }
// Net battle data // Net battle data
@ -288,6 +287,12 @@ fun ChusanController.chusanInit() {
) )
} }
"GetUserRegion" {
db.userRegions.findByUser_Card_ExtId(uid)
.map { mapOf("regionId" to it.regionId, "playCount" to it.playCount) }
.let { mapOf("userId" to uid, "userRegionList" to it) }
}
// Game settings // Game settings
"GetGameSetting" { "GetGameSetting" {
val version = data["version"].toString() val version = data["version"].toString()

View File

@ -29,6 +29,17 @@ fun ChusanController.upsertApiInit() {
userNameEx = "" userNameEx = ""
}.also { db.userData.saveAndFlush(it) } }.also { db.userData.saveAndFlush(it) }
// Only save if it is a valid region and the user has played at least a song
req.userPlaylogList?.firstOrNull()?.regionId?.let { rid ->
val region = db.userRegions.findByUserAndRegionId(u, rid)?.apply {
playCount += 1
} ?: UserRegions().apply {
user = u
regionId = rid
}
db.userRegions.save(region)
}
versionHelper[u.lastClientId] = u.lastDataVersion versionHelper[u.lastClientId] = u.lastDataVersion
// Set users // Set users

View File

@ -174,6 +174,10 @@ interface Chu3GameLoginBonusRepo : JpaRepository<GameLoginBonus, Int> {
fun findByRequiredDays(version: Int, presetId: Int, requiredDays: Int): Optional<GameLoginBonus> fun findByRequiredDays(version: Int, presetId: Int, requiredDays: Int): Optional<GameLoginBonus>
} }
interface Chu3UserRegionsRepo: Chu3UserLinked<UserRegions> {
fun findByUserAndRegionId(user: Chu3UserData, regionId: Int): UserRegions?
}
@Component @Component
class Chu3Repos( class Chu3Repos(
val userLoginBonus: Chu3UserLoginBonusRepo, val userLoginBonus: Chu3UserLoginBonusRepo,
@ -191,6 +195,7 @@ class Chu3Repos(
val userMap: Chu3UserMapRepo, val userMap: Chu3UserMapRepo,
val userMusicDetail: Chu3UserMusicDetailRepo, val userMusicDetail: Chu3UserMusicDetailRepo,
val userPlaylog: Chu3UserPlaylogRepo, val userPlaylog: Chu3UserPlaylogRepo,
val userRegions: Chu3UserRegionsRepo,
val userCMission: Chu3UserCMissionRepo, val userCMission: Chu3UserCMissionRepo,
val userCMissionProgress: Chu3UserCMissionProgressRepo, val userCMissionProgress: Chu3UserCMissionProgressRepo,
val netBattleLog: Chu3NetBattleLogRepo, val netBattleLog: Chu3NetBattleLogRepo,

View File

@ -0,0 +1,14 @@
package icu.samnyan.aqua.sega.chusan.model.userdata
import jakarta.persistence.Entity
import jakarta.persistence.Table
import jakarta.persistence.UniqueConstraint
import java.time.LocalDate
@Entity(name = "ChusanUserRegions")
@Table(name = "chusan_user_regions", uniqueConstraints = [UniqueConstraint(columnNames = ["user_id", "region_id"])])
class UserRegions : Chu3UserEntity() {
var regionId = 0
var playCount = 1
var created: String = LocalDate.now().toString()
}

View File

@ -33,7 +33,10 @@ data class PagedProcessor(val add: JDict?, val fn: PagedHandler, var post: PageP
// A very :3 way of declaring APIs // A very :3 way of declaring APIs
abstract class MeowApi(val serialize: (String, Any) -> String) { abstract class MeowApi(val serialize: (String, Any) -> String) {
val initH = mutableMapOf<String, SpecialHandler>() val initH = mutableMapOf<String, SpecialHandler>()
infix operator fun String.invoke(fn: SpecialHandler) = initH.set("${this}Api", fn) infix operator fun String.invoke(fn: SpecialHandler) {
if (initH.containsKey("${this}Api")) error("Duplicate API $this found! Someone is not smart 👀")
initH["${this}Api"] = fn
}
infix fun String.static(fn: () -> Any) = serialize(this, fn()).let { resp -> this { resp } } infix fun String.static(fn: () -> Any) = serialize(this, fn()).let { resp -> this { resp } }
// Page Cache: {cache key: (timestamp, full list)} // Page Cache: {cache key: (timestamp, full list)}

View File

@ -7,9 +7,12 @@ import icu.samnyan.aqua.sega.general.model.CardStatus
import icu.samnyan.aqua.sega.maimai2.model.UserRivalMusic import icu.samnyan.aqua.sega.maimai2.model.UserRivalMusic
import icu.samnyan.aqua.sega.maimai2.model.UserRivalMusicDetail import icu.samnyan.aqua.sega.maimai2.model.UserRivalMusicDetail
import icu.samnyan.aqua.sega.maimai2.model.userdata.Mai2UserKaleidx import icu.samnyan.aqua.sega.maimai2.model.userdata.Mai2UserKaleidx
import icu.samnyan.aqua.sega.maimai2.model.userdata.UserRegions
import java.time.LocalDate import java.time.LocalDate
fun Maimai2ServletController.initApis() { fun Maimai2ServletController.initApis() {
val log = logger()
"GetUserExtend" { mapOf( "GetUserExtend" { mapOf(
"userId" to uid, "userId" to uid,
"userExtend" to (db.userExtend.findSingleByUser_Card_ExtId(uid)() ?: (404 - "User not found")) "userExtend" to (db.userExtend.findSingleByUser_Card_ExtId(uid)() ?: (404 - "User not found"))
@ -134,6 +137,20 @@ fun Maimai2ServletController.initApis() {
res["returnCode"] = 0 res["returnCode"] = 0
} }
// Get regionId from request
val region = data["regionId"] as? Int
// Only save if it is a valid region and the user has played at least a song
if (region != null && region > 0 && d != null) {
val region = db.userRegions.findByUserAndRegionId(d, region)?.apply {
playCount += 1
} ?: UserRegions().apply {
user = d
regionId = region
}
db.userRegions.save(region)
}
res res
} }
@ -178,13 +195,19 @@ fun Maimai2ServletController.initApis() {
mapOf("userId" to uid, "rivalId" to rivalId, "nextIndex" to 0, "userRivalMusicList" to res.values) mapOf("userId" to uid, "rivalId" to rivalId, "nextIndex" to 0, "userRivalMusicList" to res.values)
} }
"GetUserRegion" {
logger().info("Getting user regions for user $uid")
db.userRegions.findByUser_Card_ExtId(uid)
.map { mapOf("regionId" to it.regionId, "playCount" to it.playCount) }
.let { mapOf("userId" to uid, "length" to it.size, "userRegionList" to it) }
}
"GetUserIntimate".unpaged { "GetUserIntimate".unpaged {
val u = db.userData.findByCardExtId(uid)() ?: (404 - "User not found") val u = db.userData.findByCardExtId(uid)() ?: (404 - "User not found")
db.userIntimate.findByUser(u) db.userIntimate.findByUser(u)
} }
// Empty List Handlers // Empty List Handlers
"GetUserRegion".unpaged { empty }
"GetUserGhost".unpaged { empty } "GetUserGhost".unpaged { empty }
"GetUserFriendBonus" { mapOf("userId" to uid, "returnCode" to 0, "getMiles" to 0) } "GetUserFriendBonus" { mapOf("userId" to uid, "returnCode" to 0, "getMiles" to 0) }
"GetTransferFriend" { mapOf("userId" to uid, "transferFriendList" to empty) } "GetTransferFriend" { mapOf("userId" to uid, "transferFriendList" to empty) }
@ -339,4 +362,4 @@ fun Maimai2ServletController.initApis() {
"userRecommendSelectionMusicIdList" to (net.recommendedMusic[user.id] ?: empty) "userRecommendSelectionMusicIdList" to (net.recommendedMusic[user.id] ?: empty)
) )
} }
} }

View File

@ -57,8 +57,6 @@ interface Mai2UserExtendRepo : Mai2UserLinked<Mai2UserExtend>
interface Mai2UserFavoriteRepo : Mai2UserLinked<Mai2UserFavorite> { interface Mai2UserFavoriteRepo : Mai2UserLinked<Mai2UserFavorite> {
fun findByUserAndItemKind(user: Mai2UserDetail, kind: Int): Optional<Mai2UserFavorite> fun findByUserAndItemKind(user: Mai2UserDetail, kind: Int): Optional<Mai2UserFavorite>
fun findByUserIdAndItemKind(userId: Long, kind: Int): List<Mai2UserFavorite>
fun findByUser_Card_ExtIdAndItemKind(userId: Long, kind: Int): Optional<Mai2UserFavorite> fun findByUser_Card_ExtIdAndItemKind(userId: Long, kind: Int): Optional<Mai2UserFavorite>
} }
@ -127,6 +125,10 @@ interface Mai2GameEventRepo : JpaRepository<Mai2GameEvent, Int> {
interface Mai2GameSellingCardRepo : JpaRepository<Mai2GameSellingCard, Long> interface Mai2GameSellingCardRepo : JpaRepository<Mai2GameSellingCard, Long>
interface Mai2UserRegionsRepo: Mai2UserLinked<UserRegions> {
fun findByUserAndRegionId(user: Mai2UserDetail, regionId: Int): UserRegions?
}
@Component @Component
class Mai2Repos( class Mai2Repos(
val mapEncountNpc: Mai2MapEncountNpcRepo, val mapEncountNpc: Mai2MapEncountNpcRepo,
@ -152,5 +154,6 @@ class Mai2Repos(
val userIntimate: MAi2UserIntimateRepo, val userIntimate: MAi2UserIntimateRepo,
val gameCharge: Mai2GameChargeRepo, val gameCharge: Mai2GameChargeRepo,
val gameEvent: Mai2GameEventRepo, val gameEvent: Mai2GameEventRepo,
val gameSellingCard: Mai2GameSellingCardRepo val gameSellingCard: Mai2GameSellingCardRepo,
val userRegions: Mai2UserRegionsRepo,
) )

View File

@ -21,6 +21,7 @@ import java.time.format.DateTimeFormatter
import com.fasterxml.jackson.databind.JsonSerializer import com.fasterxml.jackson.databind.JsonSerializer
import com.fasterxml.jackson.databind.SerializerProvider import com.fasterxml.jackson.databind.SerializerProvider
import com.fasterxml.jackson.core.JsonGenerator import com.fasterxml.jackson.core.JsonGenerator
import java.time.LocalDate
@MappedSuperclass @MappedSuperclass
open class Mai2UserEntity : BaseEntity(), IUserEntity<Mai2UserDetail> { open class Mai2UserEntity : BaseEntity(), IUserEntity<Mai2UserDetail> {
@ -451,9 +452,9 @@ class Mai2UserPlaylog : Mai2UserEntity(), IGenericGamePlaylog {
get() = maxCombo == totalCombo get() = maxCombo == totalCombo
override val isAllPerfect: Boolean override val isAllPerfect: Boolean
get() = tapMiss + tapGood + tapGreat == 0 && get() = tapMiss + tapGood + tapGreat == 0 &&
holdMiss + holdGood + holdGreat == 0 && holdMiss + holdGood + holdGreat == 0 &&
slideMiss + slideGood + slideGreat == 0 && slideMiss + slideGood + slideGreat == 0 &&
touchMiss + touchGood + touchGreat == 0 && touchMiss + touchGood + touchGreat == 0 &&
breakMiss + breakGood + breakGreat == 0 breakMiss + breakGood + breakGreat == 0
} }
@ -551,6 +552,17 @@ class Mai2UserIntimate : Mai2UserEntity() {
var intimateCountRewarded = 0; var intimateCountRewarded = 0;
} }
@Entity(name = "Maimai2UserRegions")
@Table(
name = "maimai2_user_regions",
uniqueConstraints = [UniqueConstraint(columnNames = ["user_id", "region_id"])]
)
class UserRegions : Mai2UserEntity() {
var regionId = 0
var playCount = 1
var created: String = LocalDate.now().toString()
}
val MAIMAI_DATETIME = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss.0") val MAIMAI_DATETIME = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss.0")
class MaimaiDateSerializer : JsonSerializer<LocalDateTime>() { class MaimaiDateSerializer : JsonSerializer<LocalDateTime>() {
override fun serialize(v: LocalDateTime, j: JsonGenerator, s: SerializerProvider) { override fun serialize(v: LocalDateTime, j: JsonGenerator, s: SerializerProvider) {

View File

@ -147,6 +147,10 @@ interface OgkUserTrainingRoomRepo : OngekiUserLinked<UserTrainingRoom> {
fun findByUserAndRoomId(user: UserData, roomId: Int): Optional<UserTrainingRoom> fun findByUserAndRoomId(user: UserData, roomId: Int): Optional<UserTrainingRoom>
} }
interface OgkUserRegionsRepo: OngekiUserLinked<UserRegions> {
fun findByUserAndRegionId(user: UserData, regionId: Int): UserRegions?
}
// Re:Fresh // Re:Fresh
interface OgkUserEventMapRepo : OngekiUserLinked<UserEventMap> interface OgkUserEventMapRepo : OngekiUserLinked<UserEventMap>
interface OgkUserSkinRepo : OngekiUserLinked<UserSkin> interface OgkUserSkinRepo : OngekiUserLinked<UserSkin>
@ -190,6 +194,7 @@ class OngekiUserRepos(
val trainingRoom: OgkUserTrainingRoomRepo, val trainingRoom: OgkUserTrainingRoomRepo,
val eventMap: OgkUserEventMapRepo, val eventMap: OgkUserEventMapRepo,
val skin: OgkUserSkinRepo, val skin: OgkUserSkinRepo,
val regions: OgkUserRegionsRepo,
) )
@Component @Component

View File

@ -1,11 +1,13 @@
package icu.samnyan.aqua.sega.ongeki package icu.samnyan.aqua.sega.ongeki
import ext.int
import ext.invoke import ext.invoke
import ext.mapApply import ext.mapApply
import ext.minus import ext.minus
import icu.samnyan.aqua.sega.ongeki.model.OngekiUpsertUserAll import icu.samnyan.aqua.sega.ongeki.model.OngekiUpsertUserAll
import icu.samnyan.aqua.sega.ongeki.model.UserData import icu.samnyan.aqua.sega.ongeki.model.UserData
import icu.samnyan.aqua.sega.ongeki.model.UserGeneralData import icu.samnyan.aqua.sega.ongeki.model.UserGeneralData
import icu.samnyan.aqua.sega.ongeki.model.UserRegions
fun OngekiController.initUpsertAll() { fun OngekiController.initUpsertAll() {
@ -33,6 +35,20 @@ fun OngekiController.initUpsertAll() {
db.data.save(this) db.data.save(this)
} ?: oldUser ?: return@api null } ?: oldUser ?: return@api null
// User region
val region = data["regionId"]?.int ?: 0
// Only save if it is a valid region and the user has played at least a song
if (region > 0 && all.userPlaylogList?.isNotEmpty() == true) {
val region = db.regions.findByUserAndRegionId(u, region)?.apply {
playCount += 1
} ?:UserRegions().apply {
user = u
regionId = region
}
db.regions.save(region)
}
all.run { all.run {
// Set users // Set users
listOfNotNull( listOfNotNull(

View File

@ -41,7 +41,10 @@ fun OngekiController.initUser() {
"GetUserBpBase".unpaged { empty } "GetUserBpBase".unpaged { empty }
"GetUserRatinglog".unpaged { empty } "GetUserRatinglog".unpaged { empty }
"GetUserRegion".unpaged { empty } "GetUserRegion".unpaged {
db.regions.findByUser_Card_ExtId(uid)
.map { mapOf("regionId" to it.regionId, "playCount" to it.playCount) }
}
"GetUserTradeItem".unpaged { "GetUserTradeItem".unpaged {
val start = parsing { data["startChapterId"]!!.int } val start = parsing { data["startChapterId"]!!.int }

View File

@ -7,6 +7,7 @@ import icu.samnyan.aqua.net.games.*
import icu.samnyan.aqua.sega.general.model.Card import icu.samnyan.aqua.sega.general.model.Card
import icu.samnyan.aqua.sega.util.jackson.AccessCodeSerializer import icu.samnyan.aqua.sega.util.jackson.AccessCodeSerializer
import jakarta.persistence.* import jakarta.persistence.*
import java.time.LocalDate
@MappedSuperclass @MappedSuperclass
class OngekiUserEntity : BaseEntity(), IUserEntity<UserData> { class OngekiUserEntity : BaseEntity(), IUserEntity<UserData> {
@ -511,4 +512,15 @@ class UserSkin : OngekiUserEntity() {
var cardId1 = 0 var cardId1 = 0
var cardId2 = 0 var cardId2 = 0
var cardId3 = 0 var cardId3 = 0
}
@Entity(name = "OngekiUserRegions")
@Table(
name = "ongeki_user_regions",
uniqueConstraints = [UniqueConstraint(columnNames = ["user_id", "regionId"])]
)
class UserRegions : OngekiUserEntity() {
var regionId = 0
var playCount = 1
var created: String = LocalDate.now().toString()
} }

View File

@ -0,0 +1,38 @@
CREATE TABLE chusan_user_regions
(
id BIGINT AUTO_INCREMENT NOT NULL,
user_id BIGINT NULL,
region_id INT NOT NULL,
play_count INT NOT NULL DEFAULT 1,
created VARCHAR(355),
PRIMARY KEY (id),
CONSTRAINT fk_chusanregions_on_chusan_user_Data FOREIGN KEY (user_id) REFERENCES chusan_user_data (id) ON DELETE CASCADE ON UPDATE CASCADE,
CONSTRAINT unq_chusanregions_on_region_user UNIQUE (user_id, region_id)
);
CREATE TABLE ongeki_user_regions
(
id BIGINT AUTO_INCREMENT NOT NULL,
user_id BIGINT NULL,
region_id INT NOT NULL,
play_count INT NOT NULL DEFAULT 1,
created VARCHAR(355),
PRIMARY KEY (id),
CONSTRAINT fk_ongekiregions_on_aqua_net_user FOREIGN KEY (user_id) REFERENCES aqua_net_user (au_id) ON DELETE CASCADE ON UPDATE CASCADE,
CONSTRAINT unq_ongekiregions_on_region_user UNIQUE (user_id, region_id)
);
CREATE TABLE maimai2_user_regions
(
id BIGINT AUTO_INCREMENT NOT NULL,
user_id BIGINT NULL,
region_id INT NOT NULL,
play_count INT NOT NULL DEFAULT 1,
created VARCHAR(355),
PRIMARY KEY (id),
CONSTRAINT fk_maimai2regions_on_user_Details FOREIGN KEY (user_id) REFERENCES maimai2_user_detail (id) ON DELETE CASCADE ON UPDATE CASCADE,
CONSTRAINT unq_maimai2regions_on_region_user UNIQUE (user_id, region_id)
);
ALTER TABLE aqua_net_user
ADD COLUMN region VARCHAR(2) NOT NULL DEFAULT '1';