web-dev-qa-db-ja.com

「untitled-animations」が表示されずに、Scene Kitで使用するDAEファイルをエクスポートするにはどうすればよいですか?

Cheetah3DとBlender3Dで作成されたアニメーションをSceneKitにロードしようとしていますが、取得するのは、それぞれが同じアニメーションである「無題のアニメーション」の束だけです。

SceneKitが使用できるようにBlenderまたはCheetah3Dからこれらを適切にエクスポートする方法を知っている人はいますか?

12
user160632

それは私も迷惑だったので、私はこれを掘り下げました。 「無題のアニメーション」はすべて、ボーンごとに個別のアニメーションです。 xcodeの右側にあるパネルの属性インスペクターからIDを取得できます。 Swiftのように使用すると、アニメーションを取得できます。

let urlOfScene = Bundle.main.url(forResources: "your url", withExtension: "dae")
let source = SCNSceneSource(url: urlOfScene, options: nil)
let armature = source.entryWithIdentifier("Armature", withClass: SCNNode.self) as SCNNode

let animation = armature.entryWithIdentifier("your bone id", withClass: CAAnimation.self) as CAAnimation

これは、アーマチュアのすべてのボーンに対して実行する必要があります。 **迷惑!!! *

Appleは、すべてのサンプルプロジェクトに3dmaxを使用しました。これは、各colladaファイルに対して1つのアニメーションのみを表示します。これは、Blenderが各ボーンを分離している間に、3dmaxが1つのアニメーションですべてのボーンをエクスポートするためです。

一時的な回避策テキストエディットを使用するか、.daeファイルの末尾に.xml拡張子を追加して、xmlエディターで開きます(オンラインでは無料で利用できます) 。 xmlエディターは少し扱いやすいです。アニメーション開始ブロックまで下にスクロールします。それはそう見えるでしょう...

<library_animations>
<animation id= "first_bone"> 
<source id= "first_bone-input"> 

に変更...

<library_animations>
<animation>                      ---this is the only modified line
<source id="first_bone-input"> 

各アニメーションの終わりには、そのようなエンドブロックがあります...

</animtion>                      ---delete this line as long as its not your last bone    
<animation id="second_bone">     ---delete this line too
<source id="second_bone-input">  

もちろん、最後のボーンの終わりに、アニメーションのエンドブロックをそのように残します...

</animation>
</library_animations>

これにより、.daeファイル内に、ファイルと同じ名前の末尾に-1が追加された単一のアニメーションが表示されます。

編集-上記のコードを変換するAutomatorサービスへのリンクは次のとおりです!

Automater Collada Converterのダウンロード

ファイルを解凍して、〜/ Library/servicesフォルダーにドロップします。そこから、colladaファイルを右クリックして、ConvertToXcodeColladaとprestoまでスクロールダウンできます。完了するとウィンドウがポップアップします(約0.5秒)。

29
FlippinFun

これは、.daeファイルの各ボーンに独自の<animation>タグがあるためです。

FlippinFunは、最初と最後の<animation>タグexceptをすべて削除すると、アニメーションがグループ化され、識別子FileName-1によるXcode。

たまたまMayaLT> .FBX> .DAEワークフローを使用していて、彼がリンクしたサービスが機能しないことがわかりました。これは、私の.daeファイルが二重にネストされた<source>タグと同じ行にいくつかの<animation>タグでフォーマットが不十分だったためです。その結果、行全体が削除され、.daeファイルが破損しました。

このワークフローを使用している他の人のために、これがクリーンアップのために実行しているsedコマンドです。誰かに役立つことを願っています!

sed -i .bak -e 's/\(.*\)<animation id.*><animation>\(.*\)/\1\2/g; s/\(.*\)<\/animation><\/animation>\(.*\)/\1\2/g; s/\(.*\)<library_animations>\(.*\)/\1<library_animations><animation>\2/g; s/\(.*\)<\/library_animations>\(.*\)/\1<\/animation><\/library_animations>\2/g' Walk.dae
4
n33kos

私は同じ問題に取り組んでいますが、ダウンロードした場合はMayaを使用しています WWDC 2014のSceneKitスライド

ファイルAAPLSlideAnimationEvents.mには、説明したように、複数の「無題のアニメーション」を含むDAEファイルをインポートする例がいくつかあります。

1
NC_DEV

他の誰かがそれが役に立つと思う場合に備えて、私はこれを行うpythonスクリプトを作成しました。ファイルパスの配列を提供すると、スクリプトはアニメーションを単一のアニメーションに結合し、ジオメトリを削除し、削除します材料。

この新しいスリムなdaeは、アニメーションを適用するモデルのボーンに名前が付けられ、正確に一致している限り、シーンキットアニメーションとして使用できます(必要に応じて)。

#!/usr/local/bin/python
# Jonathan Cardasis, 2018
#
# Cleans up a collada `dae` file removing all unnessasary data
# only leaving animations and bone structures behind.
# Combines multiple animation sequences into a single animation
# sequence for Xcode to use.
import sys
import os
import re
import subprocess

def print_usage(app_name):
  print 'Usage:'
  print '  {} [path(s) to collada file(s)...]'.format(app_name)
  print ''

def xml_is_collada(xml_string):
    return bool(re.search('(<COLLADA).*(>)', xml_string))

################
##    MAIN    ##
################
DAE_TAGS_TO_STRIP = ['library_geometries', 'library_materials', 'library_images']

if len(sys.argv) < 2:
    app_name = os.path.basename(sys.argv[0])
    print_usage(app_name)
    sys.exit(1)

print 'Stripping collada files of non-animation essential features...'
failed_file_conversions = 0

for file_path in sys.argv[1:]:
    try:
        print 'Stripping {} ...'.format(file_path)
        dae_filename = os.path.basename(file_path)
        renamed_dae_path = file_path + '.old'

        dae = open(file_path, 'r')
        xml_string = dae.read().strip()
        dae.close()

        # Ensure is a collada file
        if not xml_is_collada(xml_string):
            raise Exception('Not a proper Collada file.')

        # Strip tags
        for tag in DAE_TAGS_TO_STRIP:
            xml_string = re.sub('(?:<{tag}>)([\s\S]+?)(?:</{tag}>)'.format(tag=tag), '', xml_string)

        # Combine animation keys into single key:
        #  1. Remove all <animation> tags.
        #  2. Add leading and trailing <library_animation> tags with single <animation> tag between.
        xml_string = re.sub(r'\s*(<animation[^>]*>)\s*', '\n', xml_string)
        xml_string = re.sub(r'\s*(<\/animation\s*>.*)\s*', '', xml_string)

        xml_string = re.sub(r'\s*(<library_animations>)\s*', '<library_animations>\n<animation>\n', xml_string)
        xml_string = re.sub(r'\s*(<\/library_animations>)\s*', '\n</animation>\n</library_animations>', xml_string)

        # Rename original and dump xml to previous file location
        os.rename(file_path, renamed_dae_path)
        with open(file_path, 'w') as new_dae:
            new_dae.write(xml_string)
            print 'Finished processing {}. Old file can be found at {}.\n'.format(file_path, renamed_dae_path)
    except Exception as e:
        print '[!] Failed to correctly parse {}: {}'.format(file_path, e)
        failed_file_conversions += 1

if failed_file_conversions > 0:
    print '\nFailed {} conversion(s).'.format(failed_file_conversions)
    sys.exit(1)

使用法: python cleanupForXcodeColladaAnimation.py dancing_anim.dae

https://Gist.github.com/joncardasis/e815ec69f81ed767389aa7a878f3deb6

1
Jon

たぶん、次の観察が誰かに役立つでしょう:私は手つかずのmixamo .dae(アニメーション付き)をxcode 10.2.1に直接インポートしました。私の場合、キャラクター「BigVegas」(サンバダンス付き)。次のコードは、アニメーションのリストIDを示します。

var sceneUrl = Bundle.main.url(forResource: "Art.scnassets/Elvis/SambaDancingFixed", withExtension: "dae")!

    if let sceneSource = SCNSceneSource(url: sceneUrl, options: nil){

        let caAnimationIDs = sceneSource.identifiersOfEntries(withClass: CAAnimation.self)

        caAnimationIDs.forEach({id in
            let anAnimation = sceneSource.entryWithIdentifier(id, withClass: CAAnimation.self)
            print(id,anAnimation)
        })    
    }

出力:

animation/1 Optional(<CAAnimationGroup:0x283c05fe0; animations = (
"SCN_CAKeyframeAnimation 0x28324f5a0 (duration=23.833332, keyPath:/newVegas_Hips.transform)",
"SCN_CAKeyframeAnimation 0x28324f600 (duration=23.833332, keyPath:/newVegas_Pelvis.transform)",
"SCN_CAKeyframeAnimation 0x28324f690 (duration=23.833332, keyPath:/newVegas_LeftUpLeg.transform)",
"SCN_CAKeyframeAnimation 0x28324f750 (duration=23.833332, keyPath:/newVegas_LeftLeg.transform)",
"SCN_CAKeyframeAnimation 0x28324f810 (duration=23.833332, keyPath:/newVegas_LeftFoot.transform)",
"SCN_CAKeyframeAnimation 0x28324f8d0 (duration=23.833332, keyPath:/newVegas_RightUpLeg.transform)",
... and so on ...

お気づきかもしれませんが、「animation/1」は、次の方法でアクセスできるアニメーショングループのようです。

let sambaAnimation = sceneSource.entryWithIdentifier("animation/1", withClass: CAAnimation.self)

「sambaAnimation」は「BigVegas」の親ノードに適用できます。

self.addAnimation(sambaAnimation, forKey: "Dance")

他のアニメーションと同じキャラクターをダウンロードする場合は、説明されているようにアニメーションを引き出すことができます。

let animation = sceneSource.entryWithIdentifier("animation/1", withClass: CAAnimation.self)

そしてそれをあなたのキャラクターに適用します。

0
nik

不要なxmlノードを削除する方法は次のとおりです。

let currentDirectory = NSFileManager.defaultManager().currentDirectoryPath
let files = (try! NSFileManager.defaultManager().contentsOfDirectoryAtPath(currentDirectory)).filter { (fname:String) -> Bool in
    return NSString(string: fname).pathExtension.lowercaseString == "dae"
    }.map { (fname: String) -> String in
    return "\(currentDirectory)/\(fname)"
}
//print(files)

for file in files {
    print(file)
    var fileContent = try! NSString(contentsOfFile: file, encoding: NSUTF8StringEncoding)

    // remove all but not last </animation>
    let closing_animation = "</animation>"
    var closing_animation_last_range = fileContent.rangeOfString(closing_animation, options: NSStringCompareOptions.CaseInsensitiveSearch.union(NSStringCompareOptions.BackwardsSearch))
    var closing_animation_current_range = fileContent.rangeOfString(closing_animation, options: NSStringCompareOptions.CaseInsensitiveSearch)
    while closing_animation_current_range.location != closing_animation_last_range.location {
        fileContent = fileContent.stringByReplacingCharactersInRange(closing_animation_current_range, withString: "")
        closing_animation_current_range = fileContent.rangeOfString(closing_animation, options: NSStringCompareOptions.CaseInsensitiveSearch)
        closing_animation_last_range = fileContent.rangeOfString(closing_animation, options: NSStringCompareOptions.CaseInsensitiveSearch.union(NSStringCompareOptions.BackwardsSearch))
    }

    // remove all but not first <animation .. >
    let openning_animation_begin = "<animation "
    let openning_animation_end = ">"

    let openning_animation_begin_range = fileContent.rangeOfString(openning_animation_begin, options:NSStringCompareOptions.CaseInsensitiveSearch)
    var openning_animation_end_range = fileContent.rangeOfString(openning_animation_begin, options: NSStringCompareOptions.CaseInsensitiveSearch.union(NSStringCompareOptions.BackwardsSearch))

    while openning_animation_begin_range.location != openning_animation_end_range.location {
        let openning_animation_end_location = fileContent.rangeOfString(openning_animation_end, options: .CaseInsensitiveSearch, range: NSRange.init(location: openning_animation_end_range.location, length: openning_animation_end.characters.count))
        let lengthToRemove = NSString(string: fileContent.substringFromIndex(openning_animation_end_range.location)).rangeOfString(openning_animation_end, options:NSStringCompareOptions.CaseInsensitiveSearch).location + openning_animation_end.characters.count
        let range = NSRange.init(location: openning_animation_end_range.location, length: lengthToRemove)
        fileContent = fileContent.stringByReplacingCharactersInRange(range, withString: "")
        openning_animation_end_range = fileContent.rangeOfString(openning_animation_begin, options: NSStringCompareOptions.CaseInsensitiveSearch.union(NSStringCompareOptions.BackwardsSearch))
    }

    // save
    try! fileContent.writeToFile(file, atomically: true, encoding: NSUTF8StringEncoding)
}
0
Nils

これは、正規表現なしで同じことを行うために使用できる完全なスクリプトです。以下のコードをコピーしてprep_dae_for_scenekit.pyのようなファイルに貼り付けます。

./prep_dae_for_scenekit.py input.dae -o output.daeを実行してファイルを変換します。

#!/usr/bin/env python3
import xml.etree.ElementTree as ET
import argparse


def main():
    """Read the existing filename, retrieve all animation elements and combine all the sub elements into a single animation element."""

    input_filename, output_filename = parse_arguments()

    # Register default namespace. We want to set this so our new file isn't prepended with ns0.
    # We have to set this before reading the file so thats why we're parsing twice.
    tree = ET.parse(input_filename)
    root = tree.getroot()

    namespace_url = root.tag.split("{")[1].split("}")[0]
    namespace = f"{{{namespace_url}}}"

    ET.register_namespace("", namespace_url)

    # Parse the file
    print(f"Parsing filename '{input_filename}'")
    tree = ET.parse(input_filename)
    root = tree.getroot()

    library_animations_tag = f"{namespace}library_animations"

    # Create a new compressed element with only a single animation tag
    compressed_library = ET.Element(library_animations_tag)
    compressed_animation = ET.SubElement(compressed_library, "animation")

    for animation_item in root.find(library_animations_tag):
        for item in animation_item:
            compressed_animation.append(item)

    # Overwrite existing library animations element with new one.
    for idx, item in enumerate(root):
        if item.tag == library_animations_tag:
            break

    root[idx] = compressed_library

    # Write to file
    print(f"Writing compressed file to '{output_filename}'")
    tree.write(output_filename, xml_declaration=True, encoding="utf-8", method="xml")


def parse_arguments():
    """Parse command line arguments.

    :return: (input_filename, output_filename)
    """
    parser = argparse.ArgumentParser(
        description="Script to collapse multiple animation elements into a single animation element. Useful for cleaning up .dae files before importing into iOS SceneKit."
    )
    parser.add_argument("filename", help="The input .dae filename")
    parser.add_argument(
        "-o",
        "--output-filename",
        help="The input .dae filename. defaults to new-<your filename>",
        default=None,
    )

    args = parser.parse_args()
    if args.output_filename is None:
        output_filename = f"new-{args.filename}"
    else:
        output_filename = args.output_filename

    return args.filename, output_filename


if __name__ == "__main__":
    main()
0
thiezn

アニメーションタグを削除し(FlippinFunのソリューションを参照)、SceneKitで再生するためのBlenderアニメーションの準備方法に関する以下のリンクをお読みください(手順はSceneKit向けではありませんが、かなりうまく機能します)。

http://trac.wildfiregames.com/wiki/AnimationExportTutorial

0
Armando Rojano

私の場合、オートマトンスクリプトは機能しません。すべてのアニメーションを1つに結合する小さなpythonスクリプトを作成しました。

import sys
import re

fileNameIn = sys.argv[1]
fileNameOut = fileNameIn + '-e' #Output file will contain suffix '-e'

fileIn = open(fileNameIn, 'r')

data = fileIn.read()

fileIn.close()

splitted = re.split(r'<animation id=[^>]+>', data)

result = splitted[0] + '<animation>' + "".join(splitted[1:])

splitted = result.split('</animation>')

result = "".join(splitted[:-1]) + '</animation>' + splitted[-1]

fileOut = open(fileNameOut, 'wt')

fileOut.write(result)

fileOut.close()

ここでそれを見つけることができます: リンク

使用法: python fix_dae_script.py <file.dae>

0
Andrey M.

これは、Mixamoリソースで動作するようにn33kosのスクリプトを変更したものです。

sed -i .bak -e 's/\(.*\)<animation id.*<source\(.*\)/\1<source\2/g; s/\(.*\)<\/animation>\(.*\)/\1\2/g; s/\(.*\)<library_animations>\(.*\)/\1<library_animations><animation>\2/g; s/\(.*\)<\/library_animations>\(.*\)/\1<\/animation><\/library_animations>\2/g' Standing_Idle.dae
0
dfruit